From 6b1b1cb83cb7b6f86d9296e734bf2aa689556e6e Mon Sep 17 00:00:00 2001 From: Huong Do Date: Tue, 4 Nov 2025 12:05:08 +0700 Subject: [PATCH 1/6] Avoid encoding custom fields when updating products --- .../Networking/Model/Product/Product.swift | 19 +----- .../Remote/ProductsRemoteTests.swift | 61 +++++++++++++++++++ 2 files changed, 64 insertions(+), 16 deletions(-) diff --git a/Modules/Sources/Networking/Model/Product/Product.swift b/Modules/Sources/Networking/Model/Product/Product.swift index d65577c4195..3e0ece3a34a 100644 --- a/Modules/Sources/Networking/Model/Product/Product.swift +++ b/Modules/Sources/Networking/Model/Product/Product.swift @@ -766,12 +766,9 @@ public struct Product: Codable, GeneratedCopiable, Equatable, GeneratedFakeable try container.encode(password, forKey: .password) // Metadata - var metaDataValuePairs = buildMetaDataValuePairs() - - // Add custom fields to metadata - let customFields = buildCustomFields() - metaDataValuePairs.append(contentsOf: customFields) - + let metaDataValuePairs = buildMetaDataValuePairs() + // Custom fields will not be included in metadata - when updating products. + // They are saved separately with `MetaDataStore`. // Encode metadata if it's not empty if metaDataValuePairs.isEmpty == false { try container.encode(metaDataValuePairs, forKey: .metadata) @@ -785,16 +782,6 @@ public struct Product: Codable, GeneratedCopiable, Equatable, GeneratedFakeable } return metaDataArray } - - // Function to get the custom fields - private func buildCustomFields() -> [[String: String]] { - var customFieldsArray: [[String: String]] = [] - for customField in customFields { - customFieldsArray.append(["id": "\(customField.metadataID)", "key": customField.key, "value": customField.value.stringValue]) - } - return customFieldsArray - } - } /// Defines all of the Product CodingKeys diff --git a/Modules/Tests/NetworkingTests/Remote/ProductsRemoteTests.swift b/Modules/Tests/NetworkingTests/Remote/ProductsRemoteTests.swift index 9d237756d6d..4a4743a60c7 100644 --- a/Modules/Tests/NetworkingTests/Remote/ProductsRemoteTests.swift +++ b/Modules/Tests/NetworkingTests/Remote/ProductsRemoteTests.swift @@ -640,6 +640,67 @@ final class ProductsRemoteTests: XCTestCase { } } + /// Verifies that updateProduct sends only subscription details in metadata and does not send custom fields. + /// + func test_updateProduct_sends_only_subscription_in_metadata_not_custom_fields() throws { + // Given + let remote = ProductsRemote(network: network) + network.simulateResponse(requestUrlSuffix: "products/\(sampleProductID)", filename: "product-update") + + // Create a product with both custom fields and a subscription + let customFields = [ + MetaData(metadataID: 1, key: "custom_field_1", value: "value_1"), + MetaData(metadataID: 2, key: "custom_field_2", value: "value_2") + ] + let subscription = ProductSubscription( + length: "12", + period: .month, + periodInterval: "1", + price: "9.99", + signUpFee: "0", + trialLength: "7", + trialPeriod: .day, + oneTimeShipping: false, + paymentSyncDate: "0", + paymentSyncMonth: "" + ) + let product = sampleProduct().copy(subscription: subscription, customFields: customFields) + + // When + waitForExpectation { expectation in + remote.updateProduct(product: product) { _ in + expectation.fulfill() + } + } + + // Then + let parametersDictionary = try XCTUnwrap(network.queryParametersDictionary) + + // Verify that metadata contains only subscription details, not custom fields + if let metadata = parametersDictionary["meta_data"] as? [[String: Any]] { + let metadataKeys = metadata.compactMap { $0["key"] as? String } + + // Verify subscription metadata is present + XCTAssertTrue(metadataKeys.contains("_subscription_length"), "Subscription length should be in metadata") + XCTAssertTrue(metadataKeys.contains("_subscription_period"), "Subscription period should be in metadata") + XCTAssertTrue(metadataKeys.contains("_subscription_period_interval"), "Subscription period interval should be in metadata") + XCTAssertTrue(metadataKeys.contains("_subscription_price"), "Subscription price should be in metadata") + XCTAssertTrue(metadataKeys.contains("_subscription_sign_up_fee"), "Subscription sign up fee should be in metadata") + XCTAssertTrue(metadataKeys.contains("_subscription_trial_length"), "Subscription trial length should be in metadata") + XCTAssertTrue(metadataKeys.contains("_subscription_trial_period"), "Subscription trial period should be in metadata") + XCTAssertTrue(metadataKeys.contains("_subscription_one_time_shipping"), "Subscription one time shipping should be in metadata") + + // Verify custom fields are NOT in metadata + XCTAssertFalse(metadataKeys.contains("custom_field_1"), "Custom field 1 should not be sent in metadata") + XCTAssertFalse(metadataKeys.contains("custom_field_2"), "Custom field 2 should not be sent in metadata") + + // Verify metadata contains exactly 8 subscription fields and no custom fields + XCTAssertEqual(metadata.count, 8, "Metadata should contain exactly 8 subscription fields") + } else { + XCTFail("Metadata should be present when product has subscription") + } + } + // MARK: - Update Product Images /// Verifies that updateProductImages properly parses the `product-update` sample response. From 1f7497348ae376cb099fcaeba3ae69da4054828d Mon Sep 17 00:00:00 2001 From: Huong Do Date: Tue, 4 Nov 2025 13:06:22 +0700 Subject: [PATCH 2/6] Fix failed tests --- .../NetworkingTests/Mapper/ProductMapperTests.swift | 10 ++-------- 1 file changed, 2 insertions(+), 8 deletions(-) diff --git a/Modules/Tests/NetworkingTests/Mapper/ProductMapperTests.swift b/Modules/Tests/NetworkingTests/Mapper/ProductMapperTests.swift index aa61972779c..316dc2d2936 100644 --- a/Modules/Tests/NetworkingTests/Mapper/ProductMapperTests.swift +++ b/Modules/Tests/NetworkingTests/Mapper/ProductMapperTests.swift @@ -489,7 +489,7 @@ final class ProductMapperTests: XCTestCase { XCTAssertEqual(product.customFields.first?.value.stringValue, "10") } - /// Test that metadata and subscription are properly encoded. + /// Test that only subscription details are encoded for metadata. /// func test_metadata_and_subscription_are_properly_encoded() throws { // Given @@ -524,7 +524,7 @@ final class ProductMapperTests: XCTestCase { // Then XCTAssertNotNil(encodedJSON) let encodedMetadata = encodedJSON?["meta_data"] as? [[String: Any]] - XCTAssertEqual(encodedMetadata?.count, customFields.count + subscription.toKeyValuePairs().count) // Including subscription metadata + XCTAssertEqual(encodedMetadata?.count, subscription.toKeyValuePairs().count) // Including only subscription metadata XCTAssertEqual(encodedMetadata?[0]["key"] as? String, "_subscription_length") XCTAssertEqual(encodedMetadata?[0]["value"] as? String, subscription.length) XCTAssertEqual(encodedMetadata?[1]["key"] as? String, "_subscription_period") @@ -541,12 +541,6 @@ final class ProductMapperTests: XCTestCase { XCTAssertEqual(encodedMetadata?[6]["value"] as? String, subscription.trialPeriod.rawValue) XCTAssertEqual(encodedMetadata?[7]["key"] as? String, "_subscription_one_time_shipping") XCTAssertEqual(encodedMetadata?[7]["value"] as? String, subscription.oneTimeShipping ? "yes" : "no") - XCTAssertEqual(Int64(encodedMetadata?[8]["id"] as? String ?? ""), customFields[0].metadataID) - XCTAssertEqual(encodedMetadata?[8]["key"] as? String, customFields[0].key) - XCTAssertEqual(encodedMetadata?[8]["value"] as? String, customFields[0].value.stringValue) - XCTAssertEqual(Int64(encodedMetadata?[9]["id"] as? String ?? ""), customFields[1].metadataID) - XCTAssertEqual(encodedMetadata?[9]["key"] as? String, customFields[1].key) - XCTAssertEqual(encodedMetadata?[9]["value"] as? String, customFields[1].value.stringValue) } /// Test that attributes are properly encoded. From 14d4dae856db4cc6d74216ef7bb7deea81c728c1 Mon Sep 17 00:00:00 2001 From: Huong Do Date: Tue, 4 Nov 2025 15:39:41 +0700 Subject: [PATCH 3/6] Remove redundant test --- .../Remote/ProductsRemoteTests.swift | 61 ------------------- 1 file changed, 61 deletions(-) diff --git a/Modules/Tests/NetworkingTests/Remote/ProductsRemoteTests.swift b/Modules/Tests/NetworkingTests/Remote/ProductsRemoteTests.swift index 4a4743a60c7..9d237756d6d 100644 --- a/Modules/Tests/NetworkingTests/Remote/ProductsRemoteTests.swift +++ b/Modules/Tests/NetworkingTests/Remote/ProductsRemoteTests.swift @@ -640,67 +640,6 @@ final class ProductsRemoteTests: XCTestCase { } } - /// Verifies that updateProduct sends only subscription details in metadata and does not send custom fields. - /// - func test_updateProduct_sends_only_subscription_in_metadata_not_custom_fields() throws { - // Given - let remote = ProductsRemote(network: network) - network.simulateResponse(requestUrlSuffix: "products/\(sampleProductID)", filename: "product-update") - - // Create a product with both custom fields and a subscription - let customFields = [ - MetaData(metadataID: 1, key: "custom_field_1", value: "value_1"), - MetaData(metadataID: 2, key: "custom_field_2", value: "value_2") - ] - let subscription = ProductSubscription( - length: "12", - period: .month, - periodInterval: "1", - price: "9.99", - signUpFee: "0", - trialLength: "7", - trialPeriod: .day, - oneTimeShipping: false, - paymentSyncDate: "0", - paymentSyncMonth: "" - ) - let product = sampleProduct().copy(subscription: subscription, customFields: customFields) - - // When - waitForExpectation { expectation in - remote.updateProduct(product: product) { _ in - expectation.fulfill() - } - } - - // Then - let parametersDictionary = try XCTUnwrap(network.queryParametersDictionary) - - // Verify that metadata contains only subscription details, not custom fields - if let metadata = parametersDictionary["meta_data"] as? [[String: Any]] { - let metadataKeys = metadata.compactMap { $0["key"] as? String } - - // Verify subscription metadata is present - XCTAssertTrue(metadataKeys.contains("_subscription_length"), "Subscription length should be in metadata") - XCTAssertTrue(metadataKeys.contains("_subscription_period"), "Subscription period should be in metadata") - XCTAssertTrue(metadataKeys.contains("_subscription_period_interval"), "Subscription period interval should be in metadata") - XCTAssertTrue(metadataKeys.contains("_subscription_price"), "Subscription price should be in metadata") - XCTAssertTrue(metadataKeys.contains("_subscription_sign_up_fee"), "Subscription sign up fee should be in metadata") - XCTAssertTrue(metadataKeys.contains("_subscription_trial_length"), "Subscription trial length should be in metadata") - XCTAssertTrue(metadataKeys.contains("_subscription_trial_period"), "Subscription trial period should be in metadata") - XCTAssertTrue(metadataKeys.contains("_subscription_one_time_shipping"), "Subscription one time shipping should be in metadata") - - // Verify custom fields are NOT in metadata - XCTAssertFalse(metadataKeys.contains("custom_field_1"), "Custom field 1 should not be sent in metadata") - XCTAssertFalse(metadataKeys.contains("custom_field_2"), "Custom field 2 should not be sent in metadata") - - // Verify metadata contains exactly 8 subscription fields and no custom fields - XCTAssertEqual(metadata.count, 8, "Metadata should contain exactly 8 subscription fields") - } else { - XCTFail("Metadata should be present when product has subscription") - } - } - // MARK: - Update Product Images /// Verifies that updateProductImages properly parses the `product-update` sample response. From f2b1952fe4d9db9e427f18e6f5290d70c93d87c5 Mon Sep 17 00:00:00 2001 From: Automattic Release Bot Date: Tue, 4 Nov 2025 20:12:38 -0800 Subject: [PATCH 4/6] =?UTF-8?q?Update=20app=20translations=20=E2=80=93=20`?= =?UTF-8?q?Localizable.strings`?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- .../Resources/ar.lproj/Localizable.strings | 452 ++++------------- .../Resources/de.lproj/Localizable.strings | 452 ++++------------- .../Resources/es.lproj/Localizable.strings | 452 ++++------------- .../Resources/fr.lproj/Localizable.strings | 452 ++++------------- .../Resources/he.lproj/Localizable.strings | 452 ++++------------- .../Resources/id.lproj/Localizable.strings | 452 ++++------------- .../Resources/it.lproj/Localizable.strings | 452 ++++------------- .../Resources/ja.lproj/Localizable.strings | 452 ++++------------- .../Resources/ko.lproj/Localizable.strings | 452 ++++------------- .../Resources/nl.lproj/Localizable.strings | 452 ++++------------- .../Resources/pt-BR.lproj/Localizable.strings | 452 ++++------------- .../Resources/ru.lproj/Localizable.strings | 452 ++++------------- .../Resources/sv.lproj/Localizable.strings | 457 +++++------------- .../Resources/tr.lproj/Localizable.strings | 452 ++++------------- .../zh-Hans.lproj/Localizable.strings | 452 ++++------------- .../zh-Hant.lproj/Localizable.strings | 452 ++++------------- 16 files changed, 1700 insertions(+), 5537 deletions(-) diff --git a/WooCommerce/Resources/ar.lproj/Localizable.strings b/WooCommerce/Resources/ar.lproj/Localizable.strings index 4543eb39315..b37bd6e724f 100644 --- a/WooCommerce/Resources/ar.lproj/Localizable.strings +++ b/WooCommerce/Resources/ar.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-20 19:54:05+0000 */ +/* Translation-Revision-Date: 2025-11-03 19:54:06+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 */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "تم إكمال ⁦%1$d⁩\/%2$d"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld من الأيام"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld مجموعة"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld من المجموعات"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld من الأيام"; - /* 1 Item */ "%@ Item" = "%@ من العناصر"; /* For example, '5 Items' */ "%@ Items" = "%@ من العناصر"; -/* Reads like: eCommerce ended */ -"%@ ended" = "تم انتهاء %@"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "تم طلب استرداد أموال الملصق %@"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "تم تحديد عنصر واحد"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. يتوافر كمعيار في WooCommerce Payments (تطبيق القيود). قد يلزم وجود امتدادات إضافية لمزوّدي خدمة الدفع الآخرين."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. لا يتوافر إلا في الولايات المتحدة - سيكون الامتداد الإضافي مطلوبًا للبلدان الأخرى."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. عند اكتمال الربط، سيتم تسجيل دخولك إلى متجرك."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "من 4 إلى 6 دقائق"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 جيجا بايت"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "هناك اشتراك في متجر تطبيقات WooCommerce يحمل معرّف Apple الخاص بك بالفعل"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "يرتبط حساب ووردبريس.كوم ببيانات اعتماد متجرك. للمواصلة، سنرسل رابط تحقُّق إلى عنوان البريد الإلكتروني الوارد أعلاه."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "إضافة خيارات"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "استرداد عربة التسوق المهملة"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "حول التطبيق"; -/* No comment provided by engineer. */ -"Accept local payments'" = "قبول المدفوعات المحلية"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "اقبل شروط الخدمة في أثناء الإعداد."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "نشط"; -/* No comment provided by engineer. */ -"Ad-free experience" = "تجربة خالية من الإعلانات"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "يلزم توقيع شخص بالغ (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "أدوات تحسين محركات البحث المتقدمة"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "أداة متقدِّمة لمراجعة حالة التطبيق"; -/* No comment provided by engineer. */ -"Advertise on Google" = "الإعلان على غوغل"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "طرود الإيثانول المؤهلة للنقل جوًا - (شحنات العطور ومعقِّمات اليدين المعتمدة)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "المبلغ الذي يستحق الاسترداد"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "يتعذر استخدام معرّف Apple إلا لترقية متجر واحد"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "تم إرجاع رمز خطأ HTML %i."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "تم تمكين التحليلات بنجاح."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "سنويًا (توفير 35%)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "يلزم مصادقة للمضيف: %@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "النسخ الاحتياطي التلقائي + الاستعادة السريعة"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "ضرائب المبيعات التلقائية"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "إضافة معدل الضريبة تلقائيًا"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "رجوع"; -/* No comment provided by engineer. */ -"Back in stock emails" = "رسائل البريد الإلكتروني الخاصة بالتوافر مرة أخرى في المخزون"; - /* Accessibility announcement message when device goes back online */ "Back online" = "الاتصال بالإنترنت مرة أخرى"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "عريض غامق"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "اكتمل الحجز"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "اكتمل الإلغاء"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "غير معروف"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "الموظفون المعيِّنون"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "الحضور"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "يتعذر تغيير حالة حضور الحجز رقم ⁦%1$d⁩"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "إضافة ملاحظة"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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" = "محجوز"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "مدفوع"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "دفع في الموقع"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "إعادة المحاولة"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "زيادة المبيعات من خلال العروض الخاصة"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "إلغاء التثبيت"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "إلغاء الترقية"; - /* Display label for the subscription status type */ "Cancelled" = "ملغي"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "الربط بالقارئ"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "الاتصال بفيسبوك"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "توصيل قارئ البطاقة الخاص بك"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "الأسعار الحالية متفاوتة."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "الحالي: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "يكون الإنشاء مدعومًا حاليًا لـ 100 تباين بحد أقصى. سيؤدي إنشاء التباينات لهذا المنتج إلى إنشاء %d من التباينات."; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "تتطلب النماذج الجمركية رقم هاتف مكوَّنًا من 10 أرقام"; -/* No comment provided by engineer. */ -"Custom order emails" = "رسائل البريد الإلكتروني الخاصة بالطلبات المخصصة"; - -/* No comment provided by engineer. */ -"Custom product kits" = "مجموعات أدوات المنتجات المخصصة"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "الملاحظة المقدمة إلى العميل"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "رسائل عبر البريد الإلكتروني في أعياد ميلاد العملاء"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "دفع العميل %1$@ من %2$@ مقابل الشحن"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "الأسعار المُخفَّضة"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "شحنة مخفّضة²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "الخصومات غير متوافرة"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "أليس لديك حساب؟ _Sign up_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "لا تفقد كل هذا العمل الشاق! قم بالترقية إلى خطة مدفوعة للاستمرار في العمل على متجرك. افتح مزيدًا من الميزات، وابدأ بالبيع، واجعل أعمالك عبر التجارة الإلكترونية واقعية."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "عدم العرض مرة أخرى"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "التسلُّم بالبريد الإلكتروني"; -/* No comment provided by engineer. */ -"Email support" = "دعم البريد الإلكتروني"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "إرسال إيصالات شراء الملصق عبر البريد الإلكتروني إلى %1$@ (%2$@) على %3$@"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "حدث خطأ في أثناء تفعيل Jetpack"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "خطأ في أثناء التفعيل"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "حدث خطأ في أثناء تخويل الاتصال بـ Jetpack"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "خطأ في أثناء التحقق من اتصال Jetpack على موقعك"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "كود الخطأ %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "كود الخطأ ⁦%1$d⁩"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "خطأ في أثناء تأكيد الدفع"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "خطأ في أثناء الشراء"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "حدث خطأ في أثناء تمكين التحليلات. يرجى المحاولة مجددًا."; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "يحب الجميع الصفقات"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "كل شيء في الخطة الأساسية، بالإضافة إلى:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "مثال: أصيص، صبار، نبات، تزييني، سهل العناية"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "تمت التوسعة"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "تجربة مزيد من ميزاتنا وخدماتنا خارج نطاق التطبيق"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "الميزات التجريبية"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "إعادة التوجيه"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "شهادة SSL المجانية"; - /* Plan name for an active free trial */ "Free Trial" = "تجربة مجانية"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "شحن طلباتك باستخدام WooCommerce Shipping"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "قائمة الميزات الكاملة"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "تصبح الأموال متوافرة بعد تعليقها لمدة ⁦%1$d⁩ من الأيام."; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "تم تجاوز حد الإنشاء"; -/* No comment provided by engineer. */ -"Generous storage" = "مساحة تخزين وافرة"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "البدء"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "البدء في غضون دقائق"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "الحصول على الدعم"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "تحقيق أقصى استفادة من %1$@"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "الاستفادة من مخزنك إلى أقصى حد"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "كود بطاقة الهدايا"; -/* No comment provided by engineer. */ -"Gift cards" = "بطاقات الهدايا"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "الانتقال إلى المتجر"; -/* No comment provided by engineer. */ -"Google Analytics" = "تحليلات غوغل"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "فشل الاشتراك في Google"; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "في صفحة مسؤول موقعك، يمكنك العثور على البريد الإلكتروني الذي استخدمته للاتصال بووردبريس.كوم من لوحة تحكم Jetpack أسفل الاتصالات > الاتصال بالحساب"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "عمليات الشراء داخل التطبيق غير مدعومة"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "عملية دفع شخصية للطلب رقم %1$@ لـ %2$@ blog_id %3$@"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "التأمين (يصل إلى %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "المدفوعات المتكاملة"; - -/* No comment provided by engineer. */ -"International payments'" = "المدفوعات الدولية"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "الاتصال بالإنترنت"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "قائمة صور المنتج"; -/* No comment provided by engineer. */ -"List products by brand" = "إدراج المنتجات حسب العلامة التجارية"; - -/* No comment provided by engineer. */ -"List unlimited products" = "إدراج عدد غير محدود من المنتجات"; - -/* No comment provided by engineer. */ -"Live chat support" = "دعم مباشر عبر المحادثة"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "أسعار الشحن المباشرة"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "تحميل"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "تحميل المحتوى"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "تحميل تفاصيل الخطة"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "تحميل أنواع المنتج"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "هل فقدت كلمة مرورك؟"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "برامج نقاط الولاء"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "صُمم بشغف من قِبل Automattic. باب التوظيف مفتوح!<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "إدارة الخصوصية"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "إدارة اشتراكك"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "إدارة الطلبات وتحريرها في أثناء التنقل"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "إدارة المخزون"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "إدارة اشتراكك"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "عملية رد المبالغ المدفوعة يدويًا"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "وضع علامة على هذا الطلب على أنه مكتمل وإخطار العميل"; -/* No comment provided by engineer. */ -"Marketing & Email" = "التسويق والبريد الإلكتروني"; - -/* No comment provided by engineer. */ -"Marketing automation" = "التشغيل التلقائي للتسويق"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "الحد الأقصى الإنفاق (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "الحد الأدنى الإنفاق (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "الحد الأدنى\/الحد الأقصى لكمية الطلبات"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "الحد الأدنى للكمية"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "منذ بداية الشهر حتى تاريخه"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "شهريًا"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "المزيد"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "لم يتم تحديد أي طلب"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "لم يتم إجراء أي دفع"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "لم يتم تعيين أي سعر"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "الأداء"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "خطة الأداء فقط"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "إغلاق الحساب نهائيًا"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "جارٍ وضع منتجك في سلة المهملات..."; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "يرجى التحلي بالصبر بينما نعالج الدفع الخاص بخطة %1$@ الخاصة بك."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "يرجى شحن القارئ"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "يرجى ربط متجرك بـ Jetpack للوصول إليه على هذا التطبيق."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "يرجى الاتصال بالدعم للحصول على المساعدة."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "يُرجى الاتصال بمالك الموقع للحصول على دعوة إلى الموقع كمدير متجر أو مسؤول استخدام التطبيق."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "يرجى الاتصال بمالك متجرك لترقية خطتك."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "يرجى الاتصال بمدير متجرك أو المسؤول لديك للمساعدة."; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "ترجى المحاولة مجددًا أو التواصل معنا وسنكون سعداء لمساعدتك!"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "ترجى المحاولة مجددًا أو الاتصال بالدعم للحصول على المساعدة"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "يُرجى المحاولة مرة أخرى."; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "الإضافات"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "الأكثر شعبية"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "مدعوم من Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "تم تضمين قوالب متميزة"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "تجهيز Tap to Pay على iPhone"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "طباعة إيصال"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "طباعة ملصقات الشحن²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "طباعة الملصق"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "الوظائف الإضافية للمنتجات"; -/* No comment provided by engineer. */ -"Product Bundles" = "حزم المنتجات"; - /* Row title for filtering products by product category. */ "Product Category" = "قسم المنتج"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "تم نشر منتج"; -/* No comment provided by engineer. */ -"Product recommendations" = "توصيات المنتجات"; - /* Title of the alert when a user is saving a product */ "Product saved" = "تم حفظ المنتج."; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "المنتجات التي يتم الترويج لها بدلاً من المنتج المعروض حاليًا (على سبيل المثال: المنتجات الأكثر ربحية)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "الترويج على TikTok"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "ترويج المنتجات باستخدام Blaze"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "جارٍ نشر منتجك..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "شراء %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "تاريخ الشراء"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "الاستلام"; -/* No comment provided by engineer. */ -"Recurring payments'" = "المدفوعات المتكررة"; - -/* No comment provided by engineer. */ -"Referral programs" = "برامج الإحالة"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "الإبلاغ عن الأعطال"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "الإبلاغ بوجود مشكلة في الاشتراك"; - /* Title of the report section on the privacy screen */ "Reports" = "التقارير"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "إعادة المحاولة"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "إعادة محاولة الاتصال"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "العودة إلى متجري"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "الرجوع إلى المرسل إذا تعذر توصيل الحزمة"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "سعر البيع: %@"; -/* No comment provided by engineer. */ -"Sales reports" = "تقارير المبيعات"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "نموذج"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "الاطلاع على خيارات التخطيط ومقاسات الورقة"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "الاطلاع على تفاصيل الخطة"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "تحديد ⁦%1$d⁩ من التصنيفات"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "تحديد حزمة"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "تحديد خطة"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "تحديد نوع المنتج"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "تفاصيل الشحن"; -/* No comment provided by engineer. */ -"Shipment tracking" = "تعقب الشحن"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "تم شحن %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "شخص ما"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "حدث خطأ ما في أثناء الشراء الخاص بك، ويتعذر علينا إخبار ما إذا عملية الدفع التي أجريتها قد اكتملت أم تمت ترقية خطة متجرك."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "حدث خطأ عند التحقق من كود القسيمة. ترجى المحاولة مجددًا"; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "تم إيقاف إضافة معدل الضريبة تلقائيًا"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "مساحة التخزين"; - /* Navigates to the Store name setup screen */ "Store Name" = "اسم المتجر"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "إرسال طلب الدعم"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "حالة الاشتراك"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "الاشتراكات"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "يقوم بالتبديل إلى حجم الخط الافتراضي"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "المزامنة باستخدام بينتريست"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "مزامنة البيانات"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "حدث خطأ في أثناء ربط موقعك بـ Jetpack."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "كان هناك خطأ في أثناء إحضار تفاصيل خطتك، ترجى المحاولة مجددًا في وقت لاحق."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "حدث خطأ في أثناء إحضار إعدادات الخصوصية لديك"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "سلة المهملات"; -/* Plan name for an expired free trial */ -"Trial ended" = "انتهى الإصدار التجريبي"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "حل المشكلات"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "حل مشكلات الاتصال"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "حل المشكلات"; - /* Connect when the SSL certificate is invalid */ "Trust" = "الثقة"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "تجربة ميزة Tap to Pay على iPhone"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "محاولة الدفع مجددًا"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "جرّب دفع %1$@ باستخدام بطاقة الخصم أو الائتمان الخاصة بك. يمكنك استرداد المدفوعات عندما تنتهي من ذلك."; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "غير محدود"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "عدد غير محدود من حسابات المسؤول"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "منتج بلا اسم"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "جارٍ تحديث منتجاتك..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "ترقية"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "منتجات يوصى بها"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "عرض"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "عرض ميزات %1$@"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "عرض حقول مخصصة"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "عرض قائمة الميزات الكاملة"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "عرض منتج في المتجر"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "واجهنا مشكلة في أثناء تحميل التحليلات"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "واجهنا خطأ في أثناء تأكيد الدفع الخاص بك."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "واجهنا خطأ في أثناء تحميل معلومات الخطة"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "لقد أوقفنا متجرك مؤقتًا. يمكنك شراء خطة أخرى عن طريق تسجيل الدخول إلى ووردبريس.كوم على متصفحك."; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "العرض"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Woo! هذه بداية رائعة لك!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "لا يدعم WooCommerce Shipping حاليًا عمليات شحن الموارد الخطيرة من خلال %1$@."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "تطبيق WooCommerce للهاتف المحمول"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "متجر WooCommerce"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "نظام إدارة المحتوى في ووردبريس"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "مكتبة وسائط ووردبريس"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "تطبيق ووردبريس للهاتف المحمول"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "إصدار WordPress قديم جدًا. يستخدم الموقع في %1$@ WordPress %2$@. نوصي بالتحديث إلى أحدث إصدار أو الإصدار %3$@ على الأقل"; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "أمس"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "أنت في الإصدار التجريبي المجاني الذي تبلغ مدته ⁦%1$d⁩. سينتهي الإصدار التجريبي المجاني في غضون ⁦%2$d⁩ من الأيام. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "إنك غير معتمد للوصول إلى هذا المخزن."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "لا يُسمح لك بتثبيت Jetpack"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "أنت مشترك في خطة %1$@! لقد وصلت إلى كل ميزاتنا حتى %2$@."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "يمكنك تحرير المنتجات المجمعة في لوحة معلومات الويب."; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "يمكنك إدارتها بسرعة وسهولة."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "يمكنك إدارة اشتراكك في إعدادات iPhone الخاص بك ← اسمك ← الاشتراكات"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "يمكن فقط إضافة اشتراكات متغيرة في لوحة تحكم الويب"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "لا يمكنك استخدام عنوان البريد الإلكتروني هذا للتسجيل. تواجهنا مشكلات مع العناوين التي تحظر البريد الإلكتروني لدينا. يُرجى استخدام مزود بريد إلكتروني آخر."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "تتعذر عليك الترقية لأنك لست مالك المتجر"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "لديك في الوقت الحالي قسائم مُعطلة لهذا المتجر. قم بتمكين القسائم للبدء."; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "ستتمكن من قبول المدفوعات الشخصية بمجرد أن ننتهي من مراجعة حسابك."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "أنت مسجّل في إصدار تجريبي مجاني"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "لست مخولاً لإغلاق الحساب."; -/* No comment provided by engineer. */ -"Your Store" = "متجرك"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "ستُرسَل تنبيهات WooPayments الخاصة بك إلى البريد الإلكتروني الخاص بحسابك على ووردبريس.كوم. هل تفضِّل حسابًا جديدًا؟ مزيد من التفاصيل هنا."; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "لم يتم استخدام بريدك الإلكتروني مع حساب ووردبريس.كوم"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "انتهى إصدارك التجريبي المجاني"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "انتهى الإصدار التجريبي المجاني الخاص بك، وأصبح لديك وصول محدود إلى كل الميزات. اشترك في خطة Woo Express الآن."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "سينتهي إصدارك التجريبي المجاني في غضون %1$@. قم بالترقية إلى إحدى الخطط بحلول %2$@ لفتح ميزات جديدة وبدء البيع."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "يمكن استخدام iPhone الخاص بك كقارئ بطاقات أو يمكنك الاتصال بقارئ خارجي عبر البلوتوث."; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "سيصبح هاتفك جاهزًا لجمع المدفوعات في لحظات..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "اكتمل الشراء الخاص بك، وأنت الآن مسجّل على خطة %1$@."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "سيقوم القارئ الخاص بك بإعادة التشغيل وإعادة الاتصال تلقائيًا بعد انتهاء التحديث"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "يستغرق موقعك وقتًا طويلاً للغاية لكي يستجيب.\n\nيرجى الاتصال بمزوّد خدمة الاستضافة لديك للحصول على مزيد من المساعدة."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "انتهت خطة موقعك."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "أصبح متجرك نشطًا!"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "انتهى اشتراكك، وأصبح لديك وصول محدود إلى كل الميزات."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "أصبح اشتراكك نشطًا، لكن كان هناك خطأ في أثناء تفعيل الخطة على متجرك."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "يُحسب معدل الضريبة الخاص بك حاليًا استنادًا إلى عنوان الفوترة الخاص بالعميل:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "سيتعيَّن عليك تثبيت إضافة مدفوعات WooCommerce المجانية على مخزنك لقبول المدفوعات الشخصية."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "لقد أوشكت على الوصول"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8293,69 @@ 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" = "المحاولة مجددًا"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "من دون اسم"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "حاول تعديل مصطلح البحث لعرض المزيد من النتائج"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "تعذر العثور على عملاء"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "البحث عن عميل"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "هذا المستخدم ضيف، ويتعذر استخدام الضيوف في عوامل التصفية."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "العميل"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "التاريخ"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "من"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "الوقت"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "التاريخ والوقت"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "إلى"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "إظهار الحجوزات"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "العميل"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "حالة الحضور"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "التاريخ والوقت"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "حالة المدفوعات"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "الخدمة \/ الحدث"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "عضو الفريق"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "أي"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "من %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "حتى %1$@"; + /* Message displayed when searching bookings by keyword yields no results. */ "bookingList.emptySearchText" = "لم نتمكن من العثور على أي حجوزات بهذا الاسم — حاول تعديل مصطلح البحث للحصول على المزيد من النتائج."; @@ -8650,6 +8392,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "تصفية"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "عامل التصفية (⁦%1$d⁩)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "البحث في الحجوزات"; @@ -8665,6 +8410,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "الحجوزات"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "تعذر العثور على خدمة أو حدث"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "الخدمة \/ الحدث"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "مُلغى"; @@ -8686,6 +8437,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "غير مدفوع"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "تعذر العثور على أعضاء الفريق"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "عضو الفريق"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "ضيف"; @@ -9690,6 +9447,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "طرود محدودة الكمية منقولة برًا - الأيروسولات، ومطهرات الرذاذ، والطلاء بالرش، ورذاذ الشعر، والبروبان، والبيوتان، ومنتجات التنظيف، وغير ذلك - العطور، وطلاء الأظافر، ومزيل طلاء الأظافر، والمذيبات، ومعقم اليدين، والكحول المحمر، ومنتجات الإيثانول القاعدية، وغير ذلك - مواد سطحية أخرى محدودة الكمية (مستحضرات التجميل، ومنتجات التنظيف، والطلاءات، وغير ذلك)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "أي"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "جعل منتجاتك مرئية لملايين الأشخاص من خلال Blaze وتعزيز مبيعاتك"; @@ -9875,6 +9635,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "لا يوجد استخدام قسائم في أثناء هذه الفترة"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "أي"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "أي"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "البحث"; @@ -10323,9 +10089,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "تحرير"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "انتهت الخطة"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "إغلاق"; @@ -11048,9 +10811,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "تجربة مجانية"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "تم"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "حصلت عليه"; diff --git a/WooCommerce/Resources/de.lproj/Localizable.strings b/WooCommerce/Resources/de.lproj/Localizable.strings index 30f2de7979a..1b4069aa289 100644 --- a/WooCommerce/Resources/de.lproj/Localizable.strings +++ b/WooCommerce/Resources/de.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-22 10:54:04+0000 */ +/* Translation-Revision-Date: 2025-11-04 13:54:05+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: de */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d abgeschlossen"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld Tag"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld Variante"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld Varianten"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld Tage"; - /* 1 Item */ "%@ Item" = "%@ Artikel"; /* For example, '5 Items' */ "%@ Items" = "%@ Artikel"; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@ wurde beendet"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "%@ Etikettrückerstattung angefordert"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1 Eintrag ausgewählt"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. Verfügbar als Standard für WooCommerce Payments (Einschränkungen können gelten). Für andere Zahlungsanbieter können zusätzliche Erweiterungen erforderlich sein."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. Nur in den USA verfügbar. Für andere Länder ist eine zusätzliche Erweiterung erforderlich."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. Wenn der Verbindungsvorgang abgeschlossen ist, wirst du in deinem Shop angemeldet."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4–6 Minuten"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Ein WooCommerce-Abonnement mit deiner Apple-ID ist im App Store bereits vorhanden"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "Ein WordPress.com-Konto ist mit deinen Shop-Anmeldedaten verknüpft. Um fortzufahren, senden wir einen Bestätigungslink an die oben angegebene E-Mail-Adresse."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "OPTIONEN HINZUFÜGEN"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "Zurückgewinnung verlassener Warenkörbe"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "Über die App"; -/* No comment provided by engineer. */ -"Accept local payments'" = "Lokale Zahlungen empfangen'"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "Stimme beim Setup den Nutzungsbedingungen zu."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "Aktiv"; -/* No comment provided by engineer. */ -"Ad-free experience" = "Werbefreies Erlebnis"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "Unterschrift eines Erwachsenen erforderlich (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "Erweiterte SEO-Tools"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "Erweitertes Tool zum Prüfen des App-Status"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Auf Google werben"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "Paket mit Ethanol, das auf dem Luftweg versendet werden darf (Air Eligible Ethanol Package) – (Versand von autorisierten Duftstoffen und Händedesinfektionsmittel)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Rückerstattbarer Betrag"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "Eine Apple-ID kann nur zum Aktualisieren eines Shops verwendet werden"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "Es wurde ein HTTP-Fehlercode (%i) zurückgegeben."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "Statistiken erfolgreich aktiviert."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "Jährlich (spare 35 %)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "Autorisierung erforderlich für Host: %@ "; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "Automatische Backups und schnelle Wiederherstellung"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "Automatische Umsatzsteuer"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "Steuersatz wird automatisch hinzugefügt"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "Zurück"; -/* No comment provided by engineer. */ -"Back in stock emails" = "E-Mails zu wieder verfügbarem Lagerbestand"; - /* Accessibility announcement message when device goes back online */ "Back online" = "Wieder online"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "Fett"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "Gebucht"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "Storniert"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "Unbekannt"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "Zugewiesene Mitarbeiter"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "Teilnahme"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "Anwesenheitsstatus der Buchungsnummer %1$d kann nicht geändert werden"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "Hinweis hinzufügen"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* Notice message shown when a phone call cannot be initiated. */ "BookingDetailsView.phoneNumberOptions.error" = "An diese Nummer konnte kein Anruf getätigt werden."; -/* Title for the 'Booked' status label in the header view. */ -"BookingDetailsView.statusLabel.booked" = "Gebucht"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "Bezahlt"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "Vor Ort bezahlen"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "Erneut versuchen"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "Steigere deine Umsätze mit Sonderangeboten"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "Installation abbrechen"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "Upgrade abbrechen"; - /* Display label for the subscription status type */ "Cancelled" = "Storniert"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "Mit Kartenlesegerät verbinden"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "Mit Facebook verbinden"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "Dein Kartenlesegerät verbinden"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "Aktuelle Preise sind unterschiedlich."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "Aktuell: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "Derzeit können maximal 100 Varianten erstellt werden. Bei diesem Produkt würden %d Varianten erstellt werden."; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "Zollformulare erfordern eine 10-stellige Telefonnummer"; -/* No comment provided by engineer. */ -"Custom order emails" = "Individuelle Bestell-E-Mails"; - -/* No comment provided by engineer. */ -"Custom product kits" = "Individuelle Produkt-Kits"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "Vom Kunden angegebener Hinweis"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "Kundengeburtstags-E-Mails"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "Kunde bezahlte %1$@ von %2$@ für den Versand"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "Vergünstigte Preise"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "Versandrabatt²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "Rabatte nicht verfügbar"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "Du hast noch kein Konto? _Registrieren_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "Es wäre schade um die harte Arbeit! Führe ein Upgrade auf einen kostenpflichtigen Tarif durch, um weiter an deinem Shop arbeiten zu können. Profitiere von mehr Funktionen, veröffentliche dein Geschäft und beginne mit dem Verkauf, um dein E-Commerce-Business Realität werden zu lassen."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "Nicht erneut anzeigen"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "Beleg per E-Mail senden"; -/* No comment provided by engineer. */ -"Email support" = "E-Mail-Support"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "Die Kaufbelege für die Etiketten per E-Mail an %1$@ (%2$@) unter %3$@ senden"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "Fehler beim Aktivieren von Jetpack"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "Fehler beim Aktivieren des Tarifs"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "Fehler beim Autorisieren der Verbindung mit Jetpack"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "Beim Überprüfen der Jetpack-Verbindung auf deiner Website ist ein Fehler aufgetreten"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "Fehlercode %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "Fehlercode %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "Fehler beim Bestätigen der Zahlung"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "Fehler beim Kauf"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "Fehler beim Aktivieren der Statistiken. Bitte versuch es noch mal."; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "Alle lieben Schnäppchen"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Alle Funktionen im Essential-Tarif, plus:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "Beispiel: eingetopft, Kaktus, Pflanze, dekorativ, pflegeleicht"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "Erweitert"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "Entdecke weitere Funktionen und Dienste außerhalb der App"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "Experimentelle Funktionen"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "Weiter"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "Kostenloses SSL-Zertifikat"; - /* Plan name for an active free trial */ "Free Trial" = "Gratis-Test"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "Führe deine Bestellungen mit WooCommerce Shipping aus"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "Vollständige Funktionsliste"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "Guthaben, das seit %1$d Tagen aussteht, wird zur Verfügung gestellt."; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "Maximale Anzahl an Varianten überschritten"; -/* No comment provided by engineer. */ -"Generous storage" = "Großzügiger Speicher"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "Los geht's"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "In nur wenigen Minuten beginnen"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "Unterstützung erhalten"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "Nutze %1$@ optimal"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "Hole das Maximum aus deinem Store heraus"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "Geschenkkartencode"; -/* No comment provided by engineer. */ -"Gift cards" = "Geschenkkarten"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "Shop aufrufen"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Anmeldung mit Google fehlgeschlagen."; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "In deiner Website-Administration kannst du über das Jetpack-Dashboard unter „Verbindungen > Kontoverbindung“ die E-Mail-Adresse finden, mit der du dich mit WordPress.com verbunden hast."; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "In-App-Käufe werden nicht unterstützt"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "Persönliche Zahlung für Bestellung #%1$@ für %2$@ blog_id %3$@"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "Versicherung (bis zu %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "Integrierte Zahlungen"; - -/* No comment provided by engineer. */ -"International payments'" = "Internationale Zahlungen'"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "Internetverbindung"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "Liste der Bilder des Produkts"; -/* No comment provided by engineer. */ -"List products by brand" = "Produkte nach Marke auflisten"; - -/* No comment provided by engineer. */ -"List unlimited products" = "Unbegrenzte Produkte auflisten"; - -/* No comment provided by engineer. */ -"Live chat support" = "Live-Chat-Support"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "Live-Versandkosten"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "Wird geladen"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "Inhalt wird geladen"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "Tarif-Details werden geladen"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "Produktvarianten werden geladen"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "Passwort vergessen?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "Treuepunkte-Programme"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Von Automattic entwickelt Wir stellen weitere Mitarbeiter ein!<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "Privatsphäre verwalten"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "Abonnement verwalten"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "Verwalte und bearbeite Bestellungen auch unterwegs"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "Bestand verwalten"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "Abonnement verwalten"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "Manuelle Rückerstattung"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "Markiere diese Bestellung als abgeschlossen und benachrichtige den Kunden."; -/* No comment provided by engineer. */ -"Marketing & Email" = "Marketing & E-Mail"; - -/* No comment provided by engineer. */ -"Marketing automation" = "Automatisierung von Marketing"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "Max.- Bestellwert (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "Min.- Bestellwert (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "Mindest-\/Maximalbestellmenge"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "Mindestmenge"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "Bisheriger Monat"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "Monatlich"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "Mehr"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "Keine Bestellung ausgewählt"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "Es wurde keine Zahlung geleistet"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "Kein Preis festgelegt"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "Leistung"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "Nur Performance-Tarif"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "Konto dauerhaft schließen"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "Dein Produkt wird in den Papierkorb verschoben …"; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "Wir verarbeiten die Zahlung für deinen %1$@-Tarif. Bitte habe einen Augenblick Geduld."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Lade bitte den Akku deines Lesegeräts auf"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "Bitte verbinde deinen Shop mit Jetpack, um in dieser App darauf zuzugreifen."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "Für Hilfe wende dich bitte an den Support."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Bitte wende dich an den Website-Betreiber, um eine Einladung zur Nutzung der App als Shop-Manager oder Administrator zu erhalten."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "Wenn du deinen Tarif upgraden willst, wende dich bitte an den Shop-Besitzer."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "Wende dich an deinen Shop-Manager oder Administrator, um Hilfe zu erhalten."; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Versuche es erneut oder kontaktiere uns, wir helfen dir gerne weiter!"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "Bitte versuche es erneut oder kontaktiere den Support, um Hilfe zu erhalten"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "Bitte versuch es noch einmal."; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugins"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "Beliebt"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "Bereitgestellt von Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "Premium-Themes enthalten"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "„Tap to Pay“ auf dem iPhone wird vorbereitet"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "Beleg drucken"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "Versandetiketten drucken²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "Drucken des Versandetiketts"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "Produkt-Add-ons"; -/* No comment provided by engineer. */ -"Product Bundles" = "Produktpakete"; - /* Row title for filtering products by product category. */ "Product Category" = "Produkt-Kategorie"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "Produkt veröffentlicht"; -/* No comment provided by engineer. */ -"Product recommendations" = "Produktempfehlungen"; - /* Title of the alert when a user is saving a product */ "Product saved" = "Produkt gespeichert."; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "Produkte, die anstelle des Produktes beworben werden, das gerade angesehen wird (z. B. rentablere Produkte)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "Auf TikTok bewerben"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Produkte mit Blaze bewerben"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "Dein Produkt wird veröffentlicht ..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "%1$@ kaufen"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "Kaufdatum"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "Beleg"; -/* No comment provided by engineer. */ -"Recurring payments'" = "Wiederkehrende Zahlungen'"; - -/* No comment provided by engineer. */ -"Referral programs" = "Empfehlungsprogramme"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "Abstürze melden"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "Problem mit Abonnement melden"; - /* Title of the report section on the privacy screen */ "Reports" = "Berichte"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "Erneut versuchen"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "Verbindung erneut versuchen"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "Zurück zu „Mein Shop“"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "An Absender zurücksenden, wenn Paket nicht zugestellt werden kann"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "Verkaufspreis: %@"; -/* No comment provided by engineer. */ -"Sales reports" = "Verkaufsberichte"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "Probe"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "Optionen für Layout und Papiergrößen anzeigen"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "Tarif-Details anzeigen"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "%1$d Kategorien auswählen"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "Paket auswählen"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "Tarif auswählen"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "Wähle einen Produkttyp aus"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "Versanddetails"; -/* No comment provided by engineer. */ -"Shipment tracking" = "Sendungsverfolgung"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "Versendet am %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Jemand"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "Bei deinem Kauf ist ein Fehler aufgetreten. Wir sind nicht sicher, ob deine Zahlung abgeschlossen ist oder ob dein Shop-Tarif aktualisiert wurde."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "Beim Prüfen deines Gutschein-Codes ist ein Fehler aufgetreten. Bitte versuche es erneut"; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "Automatisches Hinzufügen des Steuersatzes gestoppt"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "Speicher"; - /* Navigates to the Store name setup screen */ "Store Name" = "Name des Shops"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "Supportanfrage senden"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "Abonnement-Status"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "Abonnements"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "Wechselt zur Standard-Schriftgröße"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Mit Pinterest synchronisieren"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "Daten werden synchronisiert"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "Beim Verbinden deiner Website mit Jetpack ist ein Fehler aufgetreten."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "Beim Abrufen deiner Tarifdetails ist ein Fehler aufgetreten. Bitte versuche es später erneut."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "Beim Abrufen deiner Privatsphäre-Einstellungen ist ein Fehler aufgetreten"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "In den Papierkorb"; -/* Plan name for an expired free trial */ -"Trial ended" = "Test beendet"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "Problembehandlung"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "Problembehandlung der Verbindung"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "Problembehandlung"; - /* Connect when the SSL certificate is invalid */ "Trust" = "Vertrauen"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "„Tap to Pay“ auf dem iPhone testen"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "Zahlung erneut versuchen"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "Probiere eine Zahlung in Höhe von %1$@ mit deiner Debit- oder Kreditkarte aus. Die Zahlung wird zurückerstattet, wenn du fertig bist."; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "Unbegrenzt"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "Unbegrenzte Administratorkonten"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "Unbenanntes Produkt"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "Deine Produkte werden aktualisiert …"; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "Upgrade durchführen"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "Zusatzverkäufe"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "Ansehen"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "%1$@-Funktionen anzeigen"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "Eigene Felder anzeigen"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "Vollständige Funktionsliste anzeigen"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "Produkt im Shop anzeigen"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "Beim Laden der Statistiken ist ein Problem aufgetreten"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "Beim Bestätigen deiner Zahlung ist ein Fehler aufgetreten."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "Beim Laden der Tarifinformationen ist ein Fehler aufgetreten"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "Wir haben deinen Shop deaktiviert. Du kannst einen anderen Tarif kaufen, indem du dich in deinem Browser bei WordPress.com anmeldest."; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "Breite"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Woo! Das sieht schon sehr gut aus!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "Mit WooCommerce Shipping ist derzeit kein Gefahrgutversand über %1$@ möglich."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "WooCommerce-Mobil-App"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "WooCommerce-Shop"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "WordPress-CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "WordPress-Mediathek"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "WordPress-Mobil-App"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "Zu alte WordPress-Version. Die Website unter %1$@ benutzt WordPress %2$@. Wir empfehlen ein Update auf die aktuellste Version oder zumindest auf %3$@"; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "Gestern"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "Du nutzt gerade den %1$d-tägigen Gratis-Test. Der Gratis-Test endet in %2$d Tagen. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "Du bist nicht berechtigt, auf diesen Store zuzugreifen."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "Du hast keine Berechtigung, Jetpack zu installieren"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "Du hast den %1$@-Tarif abonniert! Bis zum %2$@ kannst du alle unsere Funktionen nutzen."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "Du kannst gebündelte Produkte im Web-Dashboard bearbeiten."; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Du kannst sie leicht und einfach verwalten."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "Hier kannst du dein Abonnement verwalten: iPhone-Einstellungen → Dein Name → Abonnements"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "Du kannst nur variable Abonnements im Web-Dashboard hinzufügen"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "Du kannst diese E-Mail-Adresse nicht zur Registrierung verwenden. Es gibt Probleme, da sie einige unserer E-Mails blockieren. Verwende bitte einen anderen E-Mail-Provider."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "Du kannst kein Upgrade durchführen, weil du nicht der Shop-Besitzer bist"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "Gutscheine sind für diesen Shop derzeit deaktiviert. Aktiviere Gutscheine, um loszulegen."; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "Du kannst persönliche Zahlungen erhalten, sobald wir mit der Prüfung deines Kontos fertig sind."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "Du verwendest einen Gratis-Test"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "Du bist nicht autorisiert, dieses Konto zu schließen."; -/* No comment provided by engineer. */ -"Your Store" = "Dein Shop"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "Deine WooPayments-Benachrichtigungen werden an die E-Mail-Adresse deines WordPress.com-Kontos gesendet. Du bevorzugst ein neues Konto? Weitere Informationen findest du hier."; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Deine E-Mail-Adresse wird nicht mit einem WordPress.com-Konto verwendet"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "Dein Gratis-Test ist abgelaufen"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "Dein Gratis-Test ist abgelaufen. Deshalb hast du jetzt nur noch eingeschränkten Zugriff auf alle Funktionen. Abonniere jetzt den Tarif Woo Express."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "Dein Gratis-Test endet in %1$@. Führe bis %2$@ ein Upgrade auf einen Tarif durch, um von neuen Funktionen zu profitieren und mit dem Verkaufen zu beginnen."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "Du kannst dein iPhone als Kartenlesegerät nutzen oder per Bluetooth eine Verbindung zu einem externen Lesegerät herstellen."; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "Dein Telefon ist gleich zum Empfang von Zahlungen bereit …"; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "Dein Kauf ist abgeschlossen. Du nutzt den %1$@-Tarif."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "Dein Kartenlesegerät wird nach Abschluss des Updates automatisch neu gestartet und neu verbunden"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "Deine Website braucht zu lange, um zu antworten.\n\nKontaktiere deinen Hosting-Anbieter für weitere Unterstützung."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "Dein Website-Tarif hat geendet."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "Dein Shop ist live!"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "Dein Abonnement wurde beendet. Du hast jetzt nur noch eingeschränkten Zugriff auf alle Funktionen."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "Dein Abonnement ist aktiv, aber bei der Aktivierung des Tarifs in deinem Shop ist ein Fehler aufgetreten."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "Dein Steuersatz wird derzeit basierend auf der Rechnungsadresse deines Kunden berechnet:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "Bitte installiere die kostenlose WooCommerce Payments-Erweiterung in deinem Store, um persönliche Zahlungen entgegenzunehmen. "; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "Du hast es fast geschafft"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8293,69 @@ 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" = "Erneut versuchen"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "Kein Name"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "Passe deinen Suchbegriff an, um mehr Ergebnisse zu sehen"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "Kein Kunde gefunden"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "Kunde suchen"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "Dieser Benutzer ist ein Gast und Gäste können nicht zum Filtern von Buchungen verwendet werden."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "Kunde"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "Datum"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "Von"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "Zeit"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "Datum und Uhrzeit"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "Bis"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "Buchungen anzeigen"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "Kunde"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "Anwesenheitsstatus"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "Datum und Uhrzeit"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "Zahlungsstatus"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "Service\/Veranstaltung"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "Teammitglied"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "Beliebig"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "Ab %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "Bis %1$@"; + /* Message displayed when searching bookings by keyword yields no results. */ "bookingList.emptySearchText" = "Wir konnten keine Buchungen mit diesem Namen finden – passe deinen Suchbegriff an, um weitere Ergebnisse zu erhalten."; @@ -8650,6 +8392,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "Filtern"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "Filtern (%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "Buchungen suchen"; @@ -8665,6 +8410,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "Buchungen"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "Kein Service\/keine Veranstaltung gefunden"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "Service\/Veranstaltung"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "Storniert"; @@ -8686,6 +8437,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Unbezahlt"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "Keine Teammitglieder gefunden"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "Teammitglied"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "Gast"; @@ -9690,6 +9447,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "Paket mit begrenzter Menge, das auf dem Landweg versendet wird (LTD QTY Ground Package) – Sprays, Desinfektionssprays, Sprühfarbe, Haarspray, Propan, Butan, Reinigungsprodukte usw. – Duftstoffe, Nagellack, Nagellackentferner, Lösemittel, Händedesinfektionsmittel, Reinigungsalkohol, Ethanol Base-Produkte usw. – Andere Oberflächenmaterialien mit begrenzter Menge (Kosmetika, Reinigungsprodukte, Farben usw.)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "Keinen"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "Präsentiere deine Produkte mit Blaze Millionen von Interessenten und erhöhe deine Verkaufszahlen"; @@ -9875,6 +9635,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "In diesem Zeitraum wurde kein Gutschein verwendet"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "Alle"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "Keiner"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "Suchen"; @@ -10323,9 +10089,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "Bearbeiten"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "Tarif beendet"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "Schließen"; @@ -11048,9 +10811,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "Gratis-Test"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "Fertig"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Schließen"; diff --git a/WooCommerce/Resources/es.lproj/Localizable.strings b/WooCommerce/Resources/es.lproj/Localizable.strings index 6ac5fc04d77..51147a4fae4 100644 --- a/WooCommerce/Resources/es.lproj/Localizable.strings +++ b/WooCommerce/Resources/es.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-21 13:54:04+0000 */ +/* Translation-Revision-Date: 2025-11-04 09:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: es */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d completado"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld día"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld variación"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld variaciones"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld días"; - /* 1 Item */ "%@ Item" = "%@ elemento"; /* For example, '5 Items' */ "%@ Items" = "%@ elementos"; -/* Reads like: eCommerce ended */ -"%@ ended" = "Finalizó el %@"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "Se ha solicitado la etiqueta de reembolso a %@"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1 elemento elegido"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. Disponible como estándar en WooCommerce Payments (se aplican restricciones). Es posible que para otros proveedores de pago se necesiten extensiones adicionales."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. Solo disponible en EE. UU.: para otros países, se requerirá una extensión adicional."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. Una vez completada la conexión, estarás conectado a tu tienda."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4-6 minutos"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Ya existe una suscripción a WooCommerce a través del App Store con tu ID de Apple"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "Una cuenta WordPress.com está conectada a tus credenciales de tienda. Para continuar, te enviaremos un enlace de verificación a la dirección de correo electrónico de arriba."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "AÑADIR OPCIONES"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "Recuperación de carritos abandonados"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "Acerca de la aplicación"; -/* No comment provided by engineer. */ -"Accept local payments'" = "Aceptar pagos locales'"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "Acepta las condiciones del servicio durante la instalación."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "Activo"; -/* No comment provided by engineer. */ -"Ad-free experience" = "Experiencia sin anuncios"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "Firma obligatoria de un adulto (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "Herramientas SEO avanzadas"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "Herramienta avanzada para revisar el estado de la aplicación"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Promocionar en Google"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "Paquete de etanol que se puede enviar por avión (envíos de fragancias y desinfectantes de manos autorizados)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Cantidad apta para el reembolso"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "Cada ID de Apple solo se puede utilizar para mejorar una tienda"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "Devolvió un código de error HTTP %i."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "Los análisis se han activado correctamente."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "Anualmente (ahorras un 35 %)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "Se requiere autenticación para el host: %@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "Copias de seguridad automatizadas y restauraciones rápidas"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "Impuestos de ventas automáticos"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "Añadir automáticamente la tasa de impuesto"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "Volver"; -/* No comment provided by engineer. */ -"Back in stock emails" = "Correos electrónicos de reposición de artículos"; - /* Accessibility announcement message when device goes back online */ "Back online" = "Vuelve a estar conectado a Internet"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "Negrita"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "Reservado"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "Cancelado"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "Desconocido"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "Personal asignado"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "Asistencia"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "No se ha podido cambiar el estado de asistencia de la reserva n.º %1$d"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "Añadir una nota"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "Pagada"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "Pagar en el lugar"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "Reintentar"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "Mejorar las ventas con ofertas especiales"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "Cancelar instalación"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "Cancelar mejora"; - /* Display label for the subscription status type */ "Cancelled" = "Cancelada"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "Conectar con el lector"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "Conectar con Facebook"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "Conectar el lector de tarjetas"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "Los precios actuales son mixtos."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "Actual: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "En este momento, la creación es compatible con un máximo de 100 variaciones. La generación de variaciones para este producto crearía %d variaciones."; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "Los formularios de aduanas requieren un número de teléfono de 10 dígitos"; -/* No comment provided by engineer. */ -"Custom order emails" = "Correos electrónicos de pedidos personalizados"; - -/* No comment provided by engineer. */ -"Custom product kits" = "Kits de productos personalizados"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "Nota proporcionada por el cliente"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "Correos electrónicos de felicitación de cumpleaños del cliente"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "El cliente ha pagado un %1$@ de %2$@ por el envío"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "Tarifas con descuento"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "Envío con descuento²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "Descuentos no disponibles"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "¿No tienes una cuenta? _Regístrate_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "No pierdas todo ese duro trabajo. Mejora tu plan a uno de pago para que puedas seguir trabajando en tu tienda. Desbloquea más funciones, lanza tu tienda y empieza a vender. Haz realidad tu negocio de comercio electrónico."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "No mostrar de nuevo"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "Enviar recibo por correo electrónico"; -/* No comment provided by engineer. */ -"Email support" = "Ayuda por correo electrónico"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "Envía los recibos de compra de la etiqueta a %1$@ (%2$@) en %3$@"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "Error al activar Jetpack"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "Se ha producido un error al activar el plan"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "Error al autorizar la conexión con Jetpack"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "Se ha producido un error al comprobar la conexión de Jetpack en tu sitio."; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "Código de error: %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "Código de error %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "Se ha producido un error al confirmar el pago"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "Se ha producido un error durante la compra"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "Error al activar los análisis. Inténtalo de nuevo."; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "A todo el mundo le gustan las ofertas"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Todo lo que incluye el plan Essential, y además:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "Ejemplo: en maceta, cactus, planta, decorativa, de fácil cuidado"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "Ampliado"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "Accede a más funciones y servicios más allá de la aplicación"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "Funciones experimentales"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "Adelante"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "Certificado SSL gratuito"; - /* Plan name for an active free trial */ "Free Trial" = "Prueba gratuita"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "Cumple con tus pedidos con WooCommerce Shipping"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "Lista completa de las funciones"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "Los fondos estarán disponibles después de estar pendientes durante %1$d días."; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "Se ha excedido el límite de generaciones."; -/* No comment provided by engineer. */ -"Generous storage" = "Amplio espacio de almacenamiento"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "Primeros pasos"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "Empezar en pocos minutos"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "Obtener soporte"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "Saca el máximo partido al plan %1$@"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "Saca el máximo partido a tu tienda"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "Código de tarjeta regalo"; -/* No comment provided by engineer. */ -"Gift cards" = "Tarjetas regalo"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "Ir a la tienda"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Fallo en el registro en Google."; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "En la sección de administración de tu sitio encontrarás la dirección de correo electrónico que usaste para conectar WordPress.com desde el Escritorio de Jetpack, en Conexiones > Conexión de la cuenta"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "No se admiten las compras en la aplicación"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "Pago en persona del pedido #%1$@ para %2$@ blog_id %3$@"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "Seguro (hasta %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "Pagos integrados"; - -/* No comment provided by engineer. */ -"International payments'" = "Pagos internacionales'"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "Conexión a Internet"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "Lista de imágenes del producto"; -/* No comment provided by engineer. */ -"List products by brand" = "Presenta productos por marca"; - -/* No comment provided by engineer. */ -"List unlimited products" = "Presenta tantos productos como quieras"; - -/* No comment provided by engineer. */ -"Live chat support" = "Soporte por medio de chat en vivo"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "Tarifas de envío en directo"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "Cargando"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "Cargando contenido"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "Cargando detalles del plan"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "Cargando variaciones de productos"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "¿Has perdido tu contraseña?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "Programas de puntos de fidelización"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Con mucho cariño, por la gente de Automattic. ¡Trabaja con nosotros!<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "Gestión de la privacidad"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "Gestionar la suscripción"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "Gestiona y edita pedidos sobre la marcha"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "Gestionar inventario"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "Gestiona tu suscripción"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "Reembolso manual"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "Marcar este pedido como completado y avisar al cliente"; -/* No comment provided by engineer. */ -"Marketing & Email" = "Marketing y correo electrónico"; - -/* No comment provided by engineer. */ -"Marketing automation" = "Automatización del marketing"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "Máx. Gasto (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "Mín. Gasto (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "Cantidad mínima\/máxima del pedido"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "Cantidad mínima"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "Desde hace un mes"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "Mensual"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "Más"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "No se ha seleccionado ningún pedido"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "No se ha efectuado ningún pago"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "Sin precio"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "Rendimiento"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "Solo el plan de rendimiento"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "Cerrar cuenta permanentemente"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "Colocando el producto en la papelera..."; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "Espera un momento mientras procesamos el pago de tu plan %1$@."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Carga el lector"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "Conecta tu tienda a Jetpack para acceder a ella en esta aplicación."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "Por favor, contacta con soporte para obtener ayuda."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Ponte en contacto con el propietario del sitio para obtener una invitación como gestor o administrador de la tienda y utilizar la aplicación con este rol."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "Ponte en contacto con la persona propietaria de la tienda para mejorar tu plan."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "Ponte en contacto con el gestor o administrador de la tienda para obtener ayuda."; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Inténtalo de nuevo o ponte en contacto con nosotros y estaremos encantados de ayudarte."; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "Inténtalo de nuevo o ponte en contacto con el equipo de soporte si necesitas ayuda"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "Inténtalo de nuevo."; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugins"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "Popular"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "Ofrecido por Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "Se incluyen temas Premium"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "Preparando Tap to Pay on iPhone"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "Imprimir recibo"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "Imprimir etiquetas de envío²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "Imprimiendo etiqueta"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "Complementos de producto"; -/* No comment provided by engineer. */ -"Product Bundles" = "Paquetes de productos"; - /* Row title for filtering products by product category. */ "Product Category" = "Categoría de producto"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "Producto publicado"; -/* No comment provided by engineer. */ -"Product recommendations" = "Recomendaciones de productos"; - /* Title of the alert when a user is saving a product */ "Product saved" = "Producto guardado"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "Productos promocionados en lugar del producto que se está viendo actualmente (por ejemplo, productos más rentables)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "Promocionar en TikTok"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Promociona productos con Blaze"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "Publicando tu producto..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "Comprar %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "Fecha de compra"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "Recibo"; -/* No comment provided by engineer. */ -"Recurring payments'" = "Pagos recurrentes'"; - -/* No comment provided by engineer. */ -"Referral programs" = "Programas de recomendación"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "Informar de fallos"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "Informar sobre un problema en la suscripción"; - /* Title of the report section on the privacy screen */ "Reports" = "Informes"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "Reintentar"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "Volver a intentar la conexión"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "Volver a mi tienda"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "Devolver el paquete al remitente si no se puede entregar"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "Precio rebajado: %@"; -/* No comment provided by engineer. */ -"Sales reports" = "Informes de ventas"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "Muestra"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "Consulta las opciones de tamaño de papel y diseño"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "Ver detalles del plan"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "Elegir %1$d categorías"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "Elige un paquete"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "Elige un plan"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "Elige un tipo de producto"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "Detalles del envío"; -/* No comment provided by engineer. */ -"Shipment tracking" = "Seguimiento de envíos"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "Enviado el %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Alguien"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "Se ha producido un error durante tu compra y no podemos saber si se ha efectuado el pago o si se ha mejorado el plan de tu tienda."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "Se ha producido un error al validar el código de tu cupón. Inténtalo de nuevo."; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "Se ha dejado de añadir automáticamente la tasa de impuesto"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "Almacenamiento"; - /* Navigates to the Store name setup screen */ "Store Name" = "Nombre de la tienda"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "Enviar solicitud de asistencia"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "Estado de la suscripción"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "Subscriptions"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "Cambia al tamaño de fuente por defecto"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Sincronizar con Pinterest"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "Se están sincronizando los datos"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "Se ha producido un error al conectar tu sitio a Jetpack."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "Se ha producido un error al obtener los detalles de tu plan, inténtalo de nuevo más tarde."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "Se ha producido un error al obtener tu configuración de privacidad"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "Papelera"; -/* Plan name for an expired free trial */ -"Trial ended" = "La prueba ha terminado."; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "Solucionar problemas"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "Solución de problemas de conexión"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "Solución de problemas"; - /* Connect when the SSL certificate is invalid */ "Trust" = "Confiar"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "Prueba Tap to Pay on iPhone"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "Intentar efectuar el pago de nuevo"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "Haz un pago de %1$@ con tu tarjeta de débito o crédito. Puedes reembolsar el pago cuando hayas terminado."; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "Ilimitado"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "Cuentas de administrador ilimitadas"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "Producto sin nombre"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "Actualizando los productos..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "Mejorar "; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "Ventas dirigidas"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "Ver"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "Ver las funciones de %1$@ "; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "Ver campos personalizados"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "Ver lista completa de funciones"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "Ver producto en tienda"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "Se ha producido un problema al cargar los análisis"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "Se ha producido un error al confirmar tu pago."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "Se ha producido un error al cargar la información del plan."; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "Hemos puesto en pausa tu tienda. Puedes adquirir otro plan accediendo a WordPress.com desde tu navegador."; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "Ancho"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "¡Bravo! ¡Es un gran comienzo!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "WooCommerce Shipping no admite actualmente envíos de materiales peligrosos a través de %1$@."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "Aplicación de WooCommerce para móviles"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "Tienda de WooCommerce"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "CMS de WordPress"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "Biblioteca multimedia de WordPress"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "Aplicación de WordPress para móviles"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "La versión de WordPress es demasiado antigua. El sitio en %1$@ utiliza la versión %2$@ de WordPress. Recomendamos actualizarla a la versión más reciente o al menos a la %3$@"; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "Ayer"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "Estás en el período de prueba de %1$d días. El período de prueba finaliza en %2$d días. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "No tienes permiso para acceder a esta tienda."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "No tienes autorización para instalar Jetpack"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "¡Tienes una suscripción al plan %1$@! Tienes acceso a todas nuestras funciones hasta el %2$@."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "Puedes editar productos agrupados en el escritorio del sitio web."; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Gestiona de forma rápida y sencilla."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "Puedes gestionar tu suscripción desde tu iPhone en Ajustes → Tu nombre → Suscripciones"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "Solo puedes añadir suscripciones variables en el escritorio de tu página web"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "No puedes usar este correo electrónico para registrarte. Estamos teniendo problemas con él, bloquea nuestros correos electrónicos. Por favor, usa otro proveedor."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "No puedes mejorar el plan porque no eres la persona propietaria de la tienda."; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "En este momento, los cupones están desactivados en esta tienda. Activa los cupones para empezar."; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "En cuanto terminemos de revisar tu cuenta, podrás aceptar Pagos en Persona."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "Estás en un período de prueba"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "No estás autorizado a cerrar la cuenta."; -/* No comment provided by engineer. */ -"Your Store" = "Tu tienda"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "Tus notificaciones de WooPayments se enviarán al correo electrónico de tu cuenta de WordPress. ¿Prefieres crear una cuenta nueva? Encontrarás más información aquí."; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Ninguna cuenta de WordPress.com utiliza tu dirección de correo electrónico"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "Tu período de prueba ha finalizado"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "Tu prueba gratuita ha terminado y tienes acceso limitado a todas las funciones. Suscríbete ahora a un plan Woo Express."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "Tu período de prueba finaliza en %1$@. Mejora tu plan antes de %2$@ para desbloquear nuevas funciones y empezar a vender."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "Tu iPhone se puede usar como lector de tarjetas o puedes conectarlo a un lector externo a través de Bluetooth."; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "Podrás aceptar pagos con tu teléfono en un momento..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "Se ha completado tu compra y ahora tienes el plan %1$@."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "El lector se reiniciará automáticamente y se volverá a conectar cuando se haya completado la actualización"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "Tu sitio tarda en responder.\n\nConsulta a tu proveedor de alojamiento."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "El plan de tu sitio ha finalizado."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "Tu tienda ya está abierta."; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "Tu suscripción ha finalizado y tienes acceso restringido a todas las funciones."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "Tu suscripción está activa, pero se ha producido un error al activar el plan en tu tienda."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "Actualmente, el tipo impositivo se calcula en función de la dirección de facturación del cliente:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "Tendrás que instalar la extensión gratuita de WooCommerce Payments en tu tienda para aceptar Pagos en Persona."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "Ya casi estás."; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8293,69 @@ 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"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "Sin nombre"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "Prueba a ajustar el término de búsqueda para ver más resultados"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "No se ha encontrado ningún cliente"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "Buscar cliente"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "Este usuario es un invitado y no se pueden usar invitados para filtrar reservas."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "Cliente"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "Fecha"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "Desde"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "Hora"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "Fecha y hora"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "Para"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "Mostrar reservas"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "Cliente"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "Estado de asistencia"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "Fecha y hora"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "Estado del pago"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "Servicio\/Evento"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "Miembro del equipo"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "Cualquiera"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "Desde %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "Hasta %1$@"; + /* 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."; @@ -8650,6 +8392,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "Filtrar"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "Filtro (%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "Buscar en las reservas"; @@ -8665,6 +8410,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "Reservas"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "No se ha encontrado ningún servicio o evento"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "Servicio\/Evento"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "Cancelada"; @@ -8686,6 +8437,12 @@ 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"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "No se han encontrado miembros del equipo"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "Miembro del equipo"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "Invitado"; @@ -9690,6 +9447,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "Paquete de transporte terrestre con cantidad limitada: aerosoles, desinfectantes en pulverizador, pintura en pulverizador, productos capilares en pulverizador, propano, butano, productos de limpieza, etc. - Fragancias, esmalte de uñas, quitaesmalte, disolventes, desinfectante de manos, alcohol isopropílico, productos con base de etanol, etc. - Otros materiales de transporte terrestre con cantidad limitada (cosméticos, productos de limpieza, pinturas, etc.)."; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "Cualquiera"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "Consigue que tus productos sean vistos por millones de personas con Blaze e impulsa tus ventas"; @@ -9875,6 +9635,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "No se puede utilizar ningún cupón durante este periodo"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "Cualquiera"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "Cualquiera"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "Buscar"; @@ -10323,9 +10089,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "Editar"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "plan finalizado"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "Cerrar"; @@ -11048,9 +10811,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "Período de prueba"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "Hecho"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Entendido"; diff --git a/WooCommerce/Resources/fr.lproj/Localizable.strings b/WooCommerce/Resources/fr.lproj/Localizable.strings index d21845521ed..f2f9995448e 100644 --- a/WooCommerce/Resources/fr.lproj/Localizable.strings +++ b/WooCommerce/Resources/fr.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-21 15:54:04+0000 */ +/* Translation-Revision-Date: 2025-11-04 09:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n > 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: fr */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d terminé"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld jour"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld variante"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld variantes"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld jours"; - /* 1 Item */ "%@ Item" = "%@ article"; /* For example, '5 Items' */ "%@ Items" = "%@ articles"; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@ a pris fin"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "Étiquette de remboursement %@ demandée"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1 élément sélectionné"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. Disponible par défaut dans WooCommerce Payments (des restrictions sont d’application). Des extensions supplémentaires peuvent être requises pour d’autres Fournisseurs de paiement."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. Uniquement disponible aux États-Unis : une extension supplémentaire est requise pour les autres pays."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. Une fois la connexion établie, vous serez connecté(e) à votre boutique."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4-6 minutes"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GO"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Un abonnement à WooCommerce sur l’App Store avec votre ID Apple existe déjà"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "Un compte WordPress.com est associé aux identifiants de connexion de votre boutique. Pour continuer, nous enverrons un lien de vérification à l’adresse e-mail ci-dessus."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "AJOUTER DES OPTIONS"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "Récupération de panier abandonné"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "À propos de l’application"; -/* No comment provided by engineer. */ -"Accept local payments'" = "Accepter les paiements locaux’"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "Acceptez les conditions d’utilisation pendant la configuration."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "Actif"; -/* No comment provided by engineer. */ -"Ad-free experience" = "Expérience sans publicité"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "Signature d’un adulte obligatoire (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "Outils SEO avancés"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "Outil avancé de contrôle de l'état de l'application"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Publicité sur Google"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "Éthanol éligible à l’envoi par avion - (envois autorisés de parfums et de désinfectants pour les mains)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Montant éligible au remboursement"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "Un ID Apple ne peut être utilisé que pour la mise à niveau d’une seule boutique"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "Un code d’erreur HTTP %i a été reçu."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "Activation des statistiques réussie."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "Annuellement (économisez 35 %)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "Authentification obligatoire pour l'hôte : %@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "Une sauvegarde automatisée + un rétablissement rapide"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "Taxes de vente automatisées"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "Ajout automatique du taux de taxe"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "Retour"; -/* No comment provided by engineer. */ -"Back in stock emails" = "E-mails de retour en stock"; - /* Accessibility announcement message when device goes back online */ "Back online" = "De nouveau en ligne"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "Gras"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "Réservé"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "Annulé"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "Inconnu"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "Personnel assigné"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "Présence"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "Impossible de modifier l’état de présence de la réservation nº %1$d"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "Ajouter une note"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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é"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "Payée"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "Payer sur place"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "Réessayer"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "Doper les ventes avec des offres spéciales"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "Annuler l’installation"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "Annuler la mise à niveau"; - /* Display label for the subscription status type */ "Cancelled" = "Annulé"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "Se connecter au lecteur"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "Se connecter avec Facebook"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "Connecter votre lecteur de carte"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "Les prix actuels sont variables."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "Actuellement : %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "Actuellement, la création est disponible pour 100 variantes maximum. Générer des variantes pour ce produit créerait %d variantes."; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "Les formulaires de douane nécessitent un numéro de téléphone à 10 chiffres"; -/* No comment provided by engineer. */ -"Custom order emails" = "E-mails de commande personnalisés"; - -/* No comment provided by engineer. */ -"Custom product kits" = "Kits de produits personnalisés"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "Note fournie par le client"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "E-mails d’anniversaire pour les clients"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "Le client a payé un %1$@ de %2$@ pour la livraison"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "Tarifs avantageux"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "Réductions sur les frais d’expédition²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "Remises indisponibles"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "Vous n'avez pas encore de compte ? _S'inscrire_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "Restez concentré sur votre travail ! Passez à un plan payant pour continuer à travailler sur votre boutique. Débloquez davantage de fonctionnalités, lancez-vous, commencez à vendre et concrétisez votre projet d’eCommerce."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "Ne plus afficher"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "M’envoyer un reçu par e-mail"; -/* No comment provided by engineer. */ -"Email support" = "Assistance par e-mail"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "Transmettez par e-mail les reçus d’achat d’étiquette à %1$@ (%2$@) à l’adresse %3$@"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "Erreur lors de l’activation de Jetpack"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "Erreur lors de l’activation du plan"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "Erreur lors de l’autorisation de la connexion à Jetpack"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "Erreur lors de la vérification de la connexion Jetpack sur votre site."; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "Code d’erreur %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "Code d’erreur %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "Erreur lors de la confirmation du paiement"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "Erreur lors de l’achat"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "Une erreur s’est produite lors de l’activation des statistiques. Veuillez réessayer."; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "On ne dit jamais non aux bonnes affaires"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Tous les avantages d’Essential, plus :"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "Exemple : en pot, cactus, plante, décoratif, entretien facile"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "Développé"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "Découvrir nos fonctionnalités et services au-delà de l’application"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "Fonctionnalités expérimentales"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "Transmettre"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "Certificat SSL gratuit"; - /* Plan name for an active free trial */ "Free Trial" = "Essai gratuit"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "Exécutez vos commandes avec WooCommerce Shipping"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "Liste intégrale des fonctionnalités"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "Les fonds sont disponibles après avoir passé %1$d jours en attente."; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "Limite de génération dépassée"; -/* No comment provided by engineer. */ -"Generous storage" = "Stockage généreux"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "Commencer"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "Commencez en quelques minutes"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "Obtenir de l’aide"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "Tirez le meilleur parti de %1$@"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "Exploiter au mieux votre boutique"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "Code de carte-cadeau"; -/* No comment provided by engineer. */ -"Gift cards" = "Cartes-cadeaux"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "Accéder à la boutique"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "La connexion Google a échoué."; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "Dans l’administration de votre site, vous trouverez l’adresse e-mail utilisée pour vous connecter à WordPress.com à partir du Tableau de bord de Jetpack sous Connexions > Connexion du compte"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "Les achats intégrés à l’application ne sont pas pris en charge"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "Paiement en personne de la commande n° %1$@ pour %2$@ blog_id %3$@"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "Assurance (jusqu’à %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "Paiements intégrés"; - -/* No comment provided by engineer. */ -"International payments'" = "Paiements internationaux’"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "Connexion Internet"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "Liste des images du produit"; -/* No comment provided by engineer. */ -"List products by brand" = "Répertorier les produits par marque"; - -/* No comment provided by engineer. */ -"List unlimited products" = "Répertorier un nombre illimité de produits"; - -/* No comment provided by engineer. */ -"Live chat support" = "Assistance par live chat"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "Tarifs de livraison en direct."; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "En cours de chargement"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "Chargement du contenu"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "Chargement des détails du plan"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "Chargement des variations du produit"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "Mot de passe oublié ?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "Programmes de fidélité"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Conçu avec amour par Automattic. Nous embauchons !<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "Gérer la confidentialité"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "Gérer votre abonnement"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "Gérez et modifiez vos commandes à la volée"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "Gestion du stock"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "Gérez votre abonnement"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "Remboursement manuel"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "Marquer cette commande comme terminée et informer le client"; -/* No comment provided by engineer. */ -"Marketing & Email" = "Marketing et e-mail"; - -/* No comment provided by engineer. */ -"Marketing automation" = "Marketing automatisé"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "Dépense max. (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "Dépense min. (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "Quantité min\/max qu’il est possible de commander"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "Quantité minimale"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "Mois à date"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "Mensuel"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "Lire la suite"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "Aucune commande sélectionnée"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "Aucun paiement n’a été effectué"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "Aucun prix défini"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "Performances"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "Plan Performances uniquement"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "Clôturer le compte définitivement"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "Déplacement de votre produit dans la corbeille..."; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "Veuillez patienter pendant que nous traitons le paiement de votre plan %1$@."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Veuillez charger le lecteur"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "Veuillez connecter votre boutique à Jetpack pour y accéder dans cette application."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "Veuillez contacter le support pour de l’aide."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Contactez le propriétaire du site pour obtenir une invitation d'accès au site en tant que gérant ou administrateur de boutique pour utiliser l'application."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "Veuillez contacter le propriétaire de la boutique pour mettre à niveau votre plan."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "Veuillez contacter le gérant ou l’administrateur de votre boutique pour obtenir de l’aide."; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Réessayez ou contactez-nous ; nous nous ferons un plaisir de vous aider !"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "Réessayez ou contactez l’assistance pour obtenir de l’aide"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "Veuillez réessayer."; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Extensions"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "Popularité"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "Propulsé par Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "Thèmes premium inclus"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "Préparation de la fonctionnalité Appuyer pour payer sur iPhone"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "Imprimer le reçu"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "Imprimer des étiquettes d’expédition²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "Impression de l’étiquette"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "Modules produits"; -/* No comment provided by engineer. */ -"Product Bundles" = "Product Bundles"; - /* Row title for filtering products by product category. */ "Product Category" = "Catégorie Produit"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "Produit publié"; -/* No comment provided by engineer. */ -"Product recommendations" = "Recommandations de produits"; - /* Title of the alert when a user is saving a product */ "Product saved" = "Produit sauvegardé"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "Produits mis en avant à la place du produit actuellement affiché (p. ex. : produits plus rentables)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "Promouvoir sur TikTok"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Promouvoir des produits avec Blaze"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "Publication de votre produit en cours…"; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "Acheter %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "Date d’achat"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "Reçu"; -/* No comment provided by engineer. */ -"Recurring payments'" = "Paiements récurrents’"; - -/* No comment provided by engineer. */ -"Referral programs" = "Programmes de parrainage"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "Signaler les incidents"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "Signaler un problème d’abonnement"; - /* Title of the report section on the privacy screen */ "Reports" = "Rapports"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "Réessayer"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "Réessayer de se connecter"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "Retourner à ma boutique"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "Retour à l’expéditeur si le colis ne peut être livré"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "Tarif promo : %@"; -/* No comment provided by engineer. */ -"Sales reports" = "Rapports des ventes"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "Exemple"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "Voir les options de mise en page et de format papier"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "Voir les détails du plan"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "Sélectionner %1$d catégories"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "Sélectionner un colis"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "Sélectionner un plan"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "Sélectionner un type de produit"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "Détails de l’expédition"; -/* No comment provided by engineer. */ -"Shipment tracking" = "Suivi de l’expédition"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "Livré le %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Quelqu'un"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "Un problème est survenu lors de votre achat, et nous ne sommes pas en mesure de vous dire si le paiement a été effectué ou si le plan de votre boutique a été mis à niveau."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "Un problème est survenu lors de la validation de votre code promo. Veuillez réessayer"; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "Arrêt de l’ajout automatique du taux de taxe"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "Stockage"; - /* Navigates to the Store name setup screen */ "Store Name" = "Nom de la boutique"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "Envoyer votre demande d’aide"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "État de l’abonnement"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "Abonnements"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "Bascule sur la taille de police par défaut"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Synchronisation avec Pinterest"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "Synchronisation des données"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "Une erreur est survenue lors de la connexion de votre site à Jetpack."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "Une erreur s’est produite lors de l’extraction des détails du plan. Réessayez ultérieurement."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "Une erreur est survenue lors de l’extraction de vos réglages de confidentialité."; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "Déplacer vers la corbeille"; -/* Plan name for an expired free trial */ -"Trial ended" = "L’essai est terminé"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "Dépannage"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "Connexion à la résolution de problème"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "Résolution de problèmes"; - /* Connect when the SSL certificate is invalid */ "Trust" = "Faire confiance"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "Essayer Appuyer pour payer sur iPhone"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "Réessayer d’effectuer le paiement"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "Essayez de procéder à %1$@ un paiement avec votre carte de débit ou de crédit. Le paiement sera remboursé lorsque vous aurez terminé."; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "Illimitée"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "Nombre illimité de comptes d’administration"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "Produit sans nom"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "Mise à jour de vos produits…"; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "Option payante"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "Produits suggérés"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "Afficher"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "Voir les fonctionnalités %1$@"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "Afficher les champs personnalisés"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "Afficher la liste complète des fonctionnalités"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "Afficher les produits dans la boutique"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "Nous avons rencontré un problème lors du chargement des statistiques"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "Nous avons rencontré une erreur lors de la confirmation de votre paiement."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "Nous avons rencontré une erreur lors du chargement des informations relatives au plan."; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "Nous avons suspendu votre boutique. Vous pouvez acheter un autre plan en vous connectant à WordPress.com sur votre navigateur."; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "Largeur"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Génial ! C’est un bon début !"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "WooCommerce Shipping ne prend pas actuellement en charge les expéditions de matières dangereuses par le biais de %1$@."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "Application mobile WooCommerce"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "Boutique WooCommerce"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "CMS WordPress"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "Bibliothèque de médias WordPress"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "Appli mobile WordPress"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "Votre version de WordPress est trop ancienne. Le site sur %1$@ utilise WordPress %2$@. Nous vous recommandons de mettre à jour à la dernière version ou au moins %3$@."; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "Hier"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "Vous profitez de l’essai gratuit de %1$d jours. Votre période d’essai prend fin dans %2$d jours. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "L’accès à cette boutique vous est interdit."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "Vous n’êtes pas autorisé à installer Jetpack."; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "Vous êtes abonné au plan %1$@ ! Vous avez accès à l’ensemble de nos fonctionnalités jusqu’au %2$@."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "Vous pouvez modifier des produits groupés dans le tableau de bord Web."; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Vous pouvez les gérer rapidement et facilement."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "Vous pouvez gérer votre abonnement depuis vos Réglages iPhone → Votre nom → Abonnements"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "Vous ne pouvez ajouter que des abonnements variables dans le tableau de bord Web."; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "Vous ne pouvez pas utiliser cette adresse e-mail pour vous inscrire. Nous rencontrons des problèmes avec ce service qui bloque parfois nos e-mails. Veuillez utiliser un autre fournisseur d'e-mail."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "Vous ne pouvez pas effectuer de mise à niveau, car vous n’êtes pas le propriétaire de la boutique"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "Les codes promo sont actuellement désactivés pour cette boutique. Activez les codes promo pour commencer."; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "Vous pourrez accepter des paiements en personne dès que nous aurons passé votre compte en revue."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "Vous profitez actuellement d’une période d’essai."; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "Nous n’êtes pas autorisé à clôturer le compte."; -/* No comment provided by engineer. */ -"Your Store" = "Votre boutique"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "Vos notifications WooPayments seront envoyées à l’adresse e-mail de votre compte WordPress.com. Vous préférez créer un nouveau compte ? Plus de détails ici."; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Votre adresse e-mail n’est pas associée à un compte WordPress.com."; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "Votre essai gratuit est terminé."; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "Votre essai gratuit est terminé, et votre accès à toutes les fonctionnalités est limité. Abonnez-vous maintenant à un plan Woo Express."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "Votre période d’essai prend fin dans %1$@. Souscrivez à un plan avant %2$@ pour débloquer de nouvelles fonctionnalités et commencer à vendre."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "Vous pouvez utiliser votre iPhone comme lecteur de carte ou utiliser un lecteur externe via Bluetooth."; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "Votre téléphone sera prêt à accepter des paiements dans quelques instants..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "Votre achat est terminé et vous êtes sur le plan %1$@."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "Votre lecteur redémarrera et se reconnectera automatiquement une fois la mise à jour terminée"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "Votre site met du temps à répondre.\n\nVeuillez contacter votre hébergeur pour obtenir une assistance supplémentaire."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "Votre abonnement de site Web a expiré."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "Votre boutique est en ligne !"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "Votre abonnement a expiré. Vous ne disposez désormais plus que d’un accès limité à l’ensemble des fonctionnalités."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "Votre abonnement est actif, mais une erreur s’est produite lors de l’activation du plan dans votre boutique."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "Votre taux de taxe est actuellement calculé en fonction de l’adresse de facturation du client :"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "Vous devrez installer l’extension gratuite WooCommerce Payments sur votre boutique afin d’accepter les paiements en personne."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "Vous y êtes presque"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8293,69 @@ 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"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "Pas de nom"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "Essayez d’ajuster votre terme de recherche pour voir plus de résultats"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "Aucun client trouvé"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "Rechercher un client"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "Cet utilisateur est un invité et les invités ne peuvent pas être utilisés pour filtrer les réservations."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "Client"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "Date"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "De"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "Heure"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "Date et heure"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "À"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "Afficher les réservations"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "Client"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "État de présence"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "Date et heure"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "État du paiement"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "Service\/Événement"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "Ajouter un membre à l’équipe"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "Tout"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "De %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "Jusqu’au %1$@"; + /* 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."; @@ -8650,6 +8392,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "Filtrer"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "Filtrer (%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "Chercher dans les réservations"; @@ -8665,6 +8410,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "Réservations"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "Aucun service ou événement trouvé"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "Service\/Événement"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "Annulée"; @@ -8686,6 +8437,12 @@ 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"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "Aucun membre de l’équipe trouvé"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "Ajouter un membre à l’équipe"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "Invité"; @@ -9690,6 +9447,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "Colis expédiés par voie terrestre en quantités limitées : aérosols, sprays désinfectants, peinture en aérosol, laque pour cheveux, propane, butane, produits d’entretien, etc. - Parfums, vernis à ongles, dissolvant, solvants, désinfectant pour les mains, alcool à friction, produits à base d’éthanol, etc. - Autres matériaux de surface en quantités limitées (cosmétiques, produits d’entretien, peintures, etc.)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "Tout"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "Faites découvrir vos produits à des millions de personnes et optimisez vos ventes avec Blaze"; @@ -9875,6 +9635,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "Pas d’utilisation de code promo pendant cette période"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "Tout"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "Tout"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "Rechercher"; @@ -10323,9 +10089,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "Modifier"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "plan ayant expiré"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "Fermer"; @@ -11048,9 +10811,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "Essai gratuit"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "Terminé"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "J’ai compris"; diff --git a/WooCommerce/Resources/he.lproj/Localizable.strings b/WooCommerce/Resources/he.lproj/Localizable.strings index dce17012a1b..ebf7be226fa 100644 --- a/WooCommerce/Resources/he.lproj/Localizable.strings +++ b/WooCommerce/Resources/he.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-22 13:54:04+0000 */ +/* Translation-Revision-Date: 2025-11-04 13:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: he_IL */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "הושלמו ⁦%1$d⁩\/%2$d"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "יום %1$ld"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld סוג"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld סוגים"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld ימים"; - /* 1 Item */ "%@ Item" = "פריט %@"; /* For example, '5 Items' */ "%@ Items" = "%@ פריטים"; -/* Reads like: eCommerce ended */ -"%@ ended" = "התוקף של %@ הסתיים"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "נשלחה בקשה להחזר כספי עבור תווית %@"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "נבחר פריט אחד"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. זמין בשירות הרגיל של WooCommerce Payments (קיימות הגבלות). ייתכן שתהיה דרישה להרחבות נוספות עבור ספקי תשלום אחרים."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. זמין רק בארצות הברית – במדינות אחרות נדרשת הרחבה נוספת."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. כאשר החיבור הושלם, החשבון שלך יחובר לחנות שלך."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4-6 דקות"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "‎50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "‎99+‎"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "כבר קיים מינוי לחנות באפליקציה של WooCommerce דרך ה-Apple ID שלך"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "חשבון WordPress.com מחובר לפרטי הכניסה שלך לחנות. כדי להמשיך, נשלח לך קישור לאימות אל כתובת האימייל שמצוינת למעלה."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "להוסיף אפשרויות"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "שחזור של עגלת קניות נטושה"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "מידע על האפליקציה"; -/* No comment provided by engineer. */ -"Accept local payments'" = "לקבל תשלומים מקומיים'"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "יש לאשר את תנאי השימוש במהלך ההגדרה."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "פעיל"; -/* No comment provided by engineer. */ -"Ad-free experience" = "חוויית צפייה ללא פרסומות"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "נדרשת חתימה של אדם מבוגר (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "כלי SEO מתקדמים"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "כלי מתקדם לבדיקת מצב האפליקציה"; -/* No comment provided by engineer. */ -"Advertise on Google" = "לפרסם מודעות ב-Google"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "חבילה עם אתנול שמותרת להובלה אווירית – (משלוח של בשמים או חומרי חיטוי לידיים מאושרים)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "ניתן לקבל החזר כספי עבור הסכום"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "ניתן להשתמש ב-Apple ID כדי לשדרג חנות אחת בלבד"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "הוחזר קוד שגיאה של HTTP %i."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "הנתונים האנליטיים הופעלו בהצלחה."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "שנתי (לחסוך 35%)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "נדרש אימות עבור חברת האחסון: ‎%@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "גיבויים אוטומטיים + שחזור מהיר"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "חישוב אוטומטי של מיסי מכירה"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "הוספה אוטומטית של שיעור מס"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "חזרה"; -/* No comment provided by engineer. */ -"Back in stock emails" = "אימיילים לגבי חזרה למלאי"; - /* Accessibility announcement message when device goes back online */ "Back online" = "חזרת למצב מקוון"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "מודגש"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "הזמנות שבוצעו"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "בוטל"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "לא ידוע"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "צוות שהוקצה"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "נוכחות"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "לא ניתן לשנות את סטטוס הנוכחות של הזמנה מס' ⁦%1$d⁩"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "הוספת הערה"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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" = "הזמנות שבוצעו"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "שולם"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "לשלם במיקום החנות"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "לנסות שוב"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "לשפר את שיעור המכירה עם מבצעים מיוחדים"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "לבטל את ההתקנה"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "ביטול שדרוג"; - /* Display label for the subscription status type */ "Cancelled" = "בוטלו"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "להתחבר לקורא"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "להתחבר עם פייסבוק"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "לחבר את קורא הכרטיסים שלך"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "המחירים הנוכחיים כוללים ערכים משתנים."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "כרגע: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "נכון לעכשיו, אנחנו תומכים ביצירה של 100 סוגים לכל היותר. פעולת היצירה של סוגים למוצר הזה תיצור %d סוגים."; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "לטופסי מכס נדרש מספר טלפון בן 10 ספרות"; -/* No comment provided by engineer. */ -"Custom order emails" = "אימיילים מותאמים להזמנות"; - -/* No comment provided by engineer. */ -"Custom product kits" = "ערכות מוצרים מותאמות"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "הערה שסופקה על-ידי הלקוח"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "הודעות אימייל ליום ההולדת של לקוחות"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "הלקוח שילם %1$@ מתוך %2$@ עבור המשלוח"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "תעריפים מוזלים"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "משלוח מוזל²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "ההנחות לא זמינות"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "אין לך חשבון עדיין? _הרשמה_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "חבל שכל העבודה הקשה שהשקעת תרד לטמיון! כדאי לשדרג לתוכנית בתשלום כדי להמשיך לעבוד על החנות שלך. ניתן להשתמש באפשרויות נוספות, להשיק את האתר ולהתחיל למכור ולהשיג את המטרות שלך במסחר אלקטרוני."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "לא להציג שוב"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "שליחת קבלה באימייל"; -/* No comment provided by engineer. */ -"Email support" = "תמיכה באימייל"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "לשלוח את הקבלות על רכישת התווית באימייל אל %1$@ (%2$@) בכתובת %3$@"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "שגיאה בהפעלת Jetpack"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "שגיאה בהפעלת התוכנית"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "אירעה שגיאה באישור החיבור אל Jetpack"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "שגיאה בבדיקת החיבור של Jetpack לאתר שלך."; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "קוד שגיאה %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "קוד שגיאה ⁦%1$d⁩"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "שגיאה באישור התשלום"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "שגיאה במהלך הרכישה"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "שגיאה בהפעלת הנתונים האנליטיים. יש לנסות שוב."; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "מי לא רוצה לקבל מבצע"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "כל האפשרויות שב-Essential, ובנוסף:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "לדוגמה: שתיל, קקטוס, צמח, קישוט, קל לטפל"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "הורחב"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "להשתמש באפשרויות ובשירותים נוספים מחוץ לאפליקציה"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "תכונות ניסיוניות"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "העבר"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "תעודת SSL בחינם"; - /* Plan name for an active free trial */ "Free Trial" = "תקופת ניסיון בחינם"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "להשלים הזמנות בעזרת WooCommerce Shipping"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "רשימת האפשרויות המלאה"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "כספים נעשים זמינים לאחר תקופת המתנה בת ⁦%1$d⁩ ימים."; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "חרגת ממגבלת היצירה"; -/* No comment provided by engineer. */ -"Generous storage" = "שטח אחסון נרחב"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "מתחילים כאן"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "להתחיל תוך דקות ספורות"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "לקבלת תמיכה"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "להפיק את המרב מ-%1$@"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "לנצל את מלוא הפוטנציאל של החנות שלך"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "קוד של שובר מתנה"; -/* No comment provided by engineer. */ -"Gift cards" = "שוברי מתנה"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "מעבר לחנות"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "ההרשמה ל-Google נכשלה."; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "באזור הניהול של האתר שלך אפשר למצוא את כתובת האימייל שבה השתמשת כדי להתחבר אל WordPress.com מלוח הבקרה של Jetpack במקטע 'חשבונות מקושרים' > 'חיבור החשבון'"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "רכישות באפליקציה לא נתמכות"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "תשלום באופן אישי עבור הזמנה #%1$@ עבור %2$@ blog_id %3$@"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "ביטוח (עד %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "תשלומים משולבים"; - -/* No comment provided by engineer. */ -"International payments'" = "תשלומים בינלאומיים'"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "חיבור לאינטרנט"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "רשימה של תמונות המוצר"; -/* No comment provided by engineer. */ -"List products by brand" = "לרשום מוצרים לפי מותג"; - -/* No comment provided by engineer. */ -"List unlimited products" = "לרשום מוצרים ללא הגבלה"; - -/* No comment provided by engineer. */ -"Live chat support" = "תמיכה בצ'אט"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "תעריפי משלוח בזמן אמת"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "טוען"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "טוען תוכן"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "טוען את פרטי התוכנית"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "טוען סוגי מוצרים"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "שחזור סיסמה"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "תוכניות של נקודות נאמנות"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "נוצר באהבה על ידי Automattic. אנחנו מחפשים עובדים!<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "ניהול פרטיות"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "לנהל את המינוי שלך"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "לנהל ולערוך הזמנות מכל מקום"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "ניהול מלאי"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "לנהל את המינוי שלך"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "החזר כספי ידני"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "לסמן את ההזמנה כ'הושלמה' ולהודיע ללקוח"; -/* No comment provided by engineer. */ -"Marketing & Email" = "שיווק ואימייל"; - -/* No comment provided by engineer. */ -"Marketing automation" = "אוטומציה של שיווק"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "מקסימום הוצאה (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "מינימום הוצאה (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "כמות מינימלית\/מרבית של הזמנות"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "כמות מינימלית"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "חודש עד התאריך הנוכחי"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "חודשי"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "עוד"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "לא נבחרו הזמנות"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "לא חויב תשלום"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "טרם צוין מחיר"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "ביצועים"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "תוכנית לביצועים בלבד"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "לסגור את החשבון לצמיתות"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "מעביר את המוצר שלך לפח..."; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "תודה על הסבלנות, אנחנו מנסים לעבד את התשלום עבור התוכנית %1$@ שרכשת."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "יש להטעין את הקורא"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "יש לחבר את החנות שלך אל Jetpack כדי לגשת אליה באפליקציה הזאת."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "כדאי לפנות לתמיכה לעזרה."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "כדי להשתמש באפליקציה, יש לפנות לבעלי האתר כדי לקבל הזמנה לאתר זה כמנהל חנות או כמנהל מערכת."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "יש ליצור קשר עם בעלי החנות כדי לשדרג את התוכנית שלך."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "יש ליצור קשר עם מנהל החנות או מנהל המערכת לקבלת עזרה."; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "יש לנסות שוב או לפנות אלינו בכל עת ואנחנו נשמח לעזור!"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "יש לנסות שוב או לפנות לתמיכה לעזרה"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "יש לנסות שוב."; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "תוספים"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "פופולארי"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "מופעל על ידי Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "כולל ערכות פרימיום"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "הכנה של Tap To Pay ב-iPhone"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "להדפיס קבלה"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "להדפיס תוויות משלוח²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "מדפיס תווית"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "הרחבות מוצר"; -/* No comment provided by engineer. */ -"Product Bundles" = "Product Bundles"; - /* Row title for filtering products by product category. */ "Product Category" = "קטגוריית מוצר"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "המוצר פורסם"; -/* No comment provided by engineer. */ -"Product recommendations" = "המלצות למוצרים"; - /* Title of the alert when a user is saving a product */ "Product saved" = "מוצר נשמר"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "מוצרים שמקודמים במקום המוצרים שמוצגים עכשיו (כלומר, מוצרים רווחיים יותר)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "לקדם ב-TikTok"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "לקדם מוצרים עם Blaze"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "מפרסם את המוצר שלך..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "לרכוש את %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "תאריך הרכישה"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "קבלה"; -/* No comment provided by engineer. */ -"Recurring payments'" = "תשלומים חוזרים'"; - -/* No comment provided by engineer. */ -"Referral programs" = "תוכניות הפניות"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "דיווח על קריסות"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "לדווח על בעיה במינוי"; - /* Title of the report section on the privacy screen */ "Reports" = "דוחות"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "נסה שנית"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "לנסות שוב את החיבור"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "חזרה ל'חנות שלי'"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "להחזיר לשולח אם לא ניתן לשלוח את החבילה"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "מחיר מבצע: ‎%@"; -/* No comment provided by engineer. */ -"Sales reports" = "דוחות מכירות"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "דוגמה"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "להציג אפשרויות של פריסה וגודל נייר"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "להציג את פרטי התוכנית"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "לבחור ⁦%1$d⁩ קטגוריות"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "יש לבחור חבילה"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "לבחור תוכנית"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "יש לבחור את סוג המוצר"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "פרטי המשלוח"; -/* No comment provided by engineer. */ -"Shipment tracking" = "מעקב משלוח"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "נשלח %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "לא ידוע"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "משהו השתבש במהלך הרכישה, אנחנו לא יכולים להבין אם תהליך התשלום הושלם או אם התוכנית של החנות שלך שודרגה."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "משהו השתבש במהלך אימות קוד הקופון שלך. יש לנסות שוב"; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "ההוספה האוטומטית של שיעור המס הופסקה"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "אחסון"; - /* Navigates to the Store name setup screen */ "Store Name" = "שם החנות"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "לשלוח בקשת תמיכה"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "סטטוס מינוי"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "מינויים"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "מבצע החלפה לגודל גופן שבברירת מחדל בכותרת"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "לסנכרן עם Pinterest"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "מסנכרן נתונים"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "אירעה שגיאה בחיבור האתר שלך ל-Jetpack."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "אירעה שגיאה בהבאת פרטי התוכנית שלך, יש לנסות שוב מאוחר יותר."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "אירעה שגיאה בהבאת הגדרות הפרטיות שלך"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "פח"; -/* Plan name for an expired free trial */ -"Trial ended" = "תקופת הניסיון הסתיימה"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "פתרון בעיות"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "פתרון בעיות לחיבור"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "פתרון בעיות"; - /* Connect when the SSL certificate is invalid */ "Trust" = "אמון"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "לנסות את Tap To Pay ב-iPhone"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "לנסות את התשלום שוב"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "לנסות תשלום של %1$@ באמצעות כרטיס חיוב\/אשראי. בסיום באפשרותך להנפיק החזר כספי."; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "ללא הגבלה"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "חשבונות של מנהלי מערכת ללא הגבלה"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "מוצר ללא שם"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "מעדכן את המוצר..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "לשדרג"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "שדרוגי מכירות"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "הצג"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "להציג את האפשרויות של %1$@"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "להציג שדות מותאמים"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "להציג את רשימת האפשרויות המלאה"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "להציג את המוצר בחנות"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "נתקלנו בבעיה בטעינת הנתונים האנליטיים"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "נתקלנו בשגיאה בעת אישור התשלום"; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "נתקלנו בשגיאה בעת הטעינה של פרטי התוכנית"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "השהינו את החנות שלך. אפשר לרכוש תוכנית אחרת על ידי התחברות אל WordPress.com בדפדפן."; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "רוחב"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "WooCommerce! התחלה נהדרת!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "השירות של WooCommerce Shipping כרגע לא תומך במשלוחי HAZMAT דרך %1$@."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "האפליקציה של WooCommerce לנייד"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "חנות של WooCommerce"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "WordPress CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "ספריית המדיה של WordPress"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "האפליקציה של WordPress לנייד"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "גרסת WordPress ישנה מדי. האתר %1$@ משתמש ב-WordPress בגרסה %2$@. מומלץ לשדרג לגרסה העדכנית ביותר, או לפחות לגרסה %3$@"; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "אתמול"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "התחלת תקופת ניסיון בחינם של ⁦%1$d⁩ ימים. תקופת הניסיון תסתיים בעוד ⁦%2$d⁩ ימים. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "אין לך הרשאה לגשת לחנות זו."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "אין לך הרשאה להתקין את Jetpack"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "יש לך מינוי לתוכנית %1$@! יש לך גישה לכל האפשרויות עד %2$@."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "ניתן לערוך מוצרים בחבילות דרך לוח הבקרה באינטרנט."; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "אפשר לנהל בצורה מהירה ונוחה."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "ניתן לנהל את המינוי דרך המקטע iPhone Settings (הגדרות iPhone) ← ‏השם שלך ← Subscriptions (מינויים)"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "ניתן להוסיף מינויים עם סוגים דרך לוח הבקרה באתר האינטרנט בלבד"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "לא ניתן להשתמש בכתובת אימייל זו להרשמה. ספק זה חוסם חלק מהאימיילים שלנו. יש להשתמש בספק אימייל אחר."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "אין לך אפשרות לשדרג מאחר שאינך הבעלים של החנות"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "כרגע הקופונים מושבתים בחנות הזאת. יש להפעיל את הקופונים כדי להתחיל."; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "ניתן יהיה לקבל תשלומים באופן אישי ברגע שנסיים לבחון את חשבונך."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "תקופת הניסיון שלך פעילה כעת"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "אין לך הרשאה לסגור את החשבון הזה."; -/* No comment provided by engineer. */ -"Your Store" = "החנות שלך"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "ההודעות של WooPayments יישלחו אל האימייל של חשבונך ב-WordPress.com. רוצה ליצור חשבון חדש? ניתן למצוא כאן פרטים נוספים."; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "כתובת האימייל שלך לא מקושרת לחשבון ב-WordPress.com"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "תקופת הניסיון שלך נגמרה"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "תקופת הניסיון שלך הסתיימה ולכן הגישה שלך לכל האפשרויות הוגבלה. יש להירשם למינוי על תוכנית Woo Express עכשיו."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "תקופת הניסיון שלך תסתיים תוך %1$@. כדאי לשדרג לתוכנית עד %2$@ כדי להשתמש באפשרויות חדשות ולהתחיל למכור."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "ה-iPhone שלך יכול לשמש כקורא כרטיסים. לחלופין, אפשר לחבר קורא חיצוני דרך Bluetooth."; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "הטלפון שלך יהיה מוכן לגביית תשלומים עוד רגע..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "הרכישה הושלמה וכעת הצטרפת לתוכנית %1$@."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "לאחר השלמת העדכון, קורא הכרטיסים יופעל מחדש באופן אוטומטי ויתחבר שוב"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "זמן התגובה של האתר שלך ארוך מדי.\n\nיש לפנות לספקית האחסון להמשך עזרה."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "התוכנית של האתר שלך הסתיימה."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "החנות שלך פורסמה!"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "המינוי שלך הסתיים ולכן הגישה שלך לכל האפשרויות הוגבלה."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "המינוי שלך פעיל, אבל אירעה שגיאה בהפעלת התוכנית בחנות שלך."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "שיעור המס שלך מחושב כעת לפי הכתובת לחיוב של הלקוח:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "יש להתקין את ההרחבה בחינם WooCommerce Payments בחנות שלך כדי לקבל תשלומים באופן אישי."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "כמעט סיימת"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8293,69 @@ 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" = "יש לנסות שוב"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "ללא שם"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "כדאי לשנות את מונח החיפוש כדי להציג תוצאות נוספות"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "לא נמצאו לקוחות"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "חיפוש לקוח"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "המשתמש הזה הוא אורח, ולא ניתן להשתמש באורחים לסינון הזמנות."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "לקוח"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "תאריך"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "מאת"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "שעה"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "תאריך ושעה"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "אל"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "להציג הזמנות"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "לקוח"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "סטטוס נוכחות"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "תאריך ושעה"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "מצב התשלום"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "שירות \/ אירוע"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "חלק מצוות"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "הכול"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "מאת %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "עד %1$@"; + /* Message displayed when searching bookings by keyword yields no results. */ "bookingList.emptySearchText" = "לא הצלחנו למצוא הזמנות עם השם הזה – כדאי לשנות את המונח לחיפוש כדי להציג תוצאות נוספות."; @@ -8650,6 +8392,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "לסנן"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "מסנן (⁦%1$d⁩)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "לחפש הזמנות"; @@ -8665,6 +8410,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "הזמנות"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "לא נמצא שירות או אירוע"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "שירות \/ אירוע"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "בוטל"; @@ -8686,6 +8437,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "לא שולם"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "לא נמצאו חברי צוות"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "חלק מצוות"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "אורח"; @@ -9690,6 +9447,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "חבילה להובלה יבשתית עם כמויות מוגבלות – תרסיסים, חומרי חיטוי במכל התזה, צבע במכל התזה, ספריי לשיער, פרופן, בוטאן, חומרי ניקוי וכו'. - בשמים, לק לציפורניים, מסיר לק לציפורניים, חומרים ממסים, נוזל חיטוי לידיים, אלכוהול רפואי, מוצרים המבוססים על אתנול וכו'. - מוצרים אחרים למשטחים בכמות מוגבלת (קוסמטיקה, חומרי ניקוי, צבעים וכו')."; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "הכול"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "בעזרת Blaze, מיליונים יראו את המוצרים שלך והמכירות ישתפרו"; @@ -9875,6 +9635,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "אין שימוש בקופונים במהלך התקופה הזאת"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "הכול"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "הכול"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "חיפוש"; @@ -10323,9 +10089,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "לערוך"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "התוכנית הסתיימה"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "לסגור"; @@ -11048,9 +10811,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "התנסות בחינם"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "בוצע"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "הבנתי"; diff --git a/WooCommerce/Resources/id.lproj/Localizable.strings b/WooCommerce/Resources/id.lproj/Localizable.strings index da0b28fdae4..a127c268f89 100644 --- a/WooCommerce/Resources/id.lproj/Localizable.strings +++ b/WooCommerce/Resources/id.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-21 09:54:16+0000 */ +/* Translation-Revision-Date: 2025-11-04 11:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n > 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: id */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d selesai"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld hari"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld variasi"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld variasi"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld hari"; - /* 1 Item */ "%@ Item" = "%@ Item"; /* For example, '5 Items' */ "%@ Items" = "%@ Item"; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@ berakhir"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "Label %@ diminta pengembalian dananya"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1 item dipilih"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. Tersedia sebagai standar dalam WooCommerce Payments (batasan berlaku). Penyedia jasa pembayaran lainnya mungkin memerlukan ekstensi tambahan."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. Hanya tersedia di Amerika Serikat - ekstensi tambahan diperlukan bagi negara-negara lain."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. Setelah koneksi selesai, Anda akan login ke toko Anda."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4–6 menit"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Langganan toko aplikasi WooCommerce dengan ID Apple Anda sudah ada"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "Akun WordPress.com terhubung ke kredensial toko Anda. Untuk melanjutkan, kami akan mengirimkan tautan verifikasi ke alamat email di atas."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "TAMBAHKAN PILIHAN"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "Pemulihan keranjang terbengkalai"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "Tentang aplikasi"; -/* No comment provided by engineer. */ -"Accept local payments'" = "Terima pembayaran lokal"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "Terima Ketentuan Layanan selama penyiapan."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "Aktif"; -/* No comment provided by engineer. */ -"Ad-free experience" = "Pengalaman bebas iklan"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "Tanda tangan orang dewasa wajib diisi (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "Perangkat SEO tingkat lanjut"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "Alat canggih untuk meninjau status aplikasi"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Pasang iklan di Google"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "Paket Etanol yang Memenuhi Syarat Jalur Udara - (pengiriman parfum dan penyanitasi tangan resmi)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Jumlah yang Dapat Dikembalikan Dananya"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "ID Apple hanya dapat digunakan untuk mengupgrade satu toko"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "Kode eror HTTP %i."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "Analitik berhasil diaktifkan."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "Tahunan (Hemat 35%)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "Autentikasi diperlukan untuk host: %@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "Pencadangan otomatis + pemulihan kilat"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "Pajak penjualan otomatis"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "Tarif pajak ditambahkan secara otomatis"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "Kembali"; -/* No comment provided by engineer. */ -"Back in stock emails" = "Email tentang stok tersedia kembali"; - /* Accessibility announcement message when device goes back online */ "Back online" = "Kembali online"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "Tebal"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "Dipesan"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "Dibatalkan"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "Tidak Diketahui"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "Penanggung jawab"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "Kehadiran"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "Tidak dapat mengubah status kehadiran Pemesanan #%1$d"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "Tambahkan catatan"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "Sudah dibayar"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "Bayar di tempat"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "Coba lagi"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "Dongkrak penjualan dengan penawaran khusus"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "Batalkan Instalasi"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "Batalkan Upgrade"; - /* Display label for the subscription status type */ "Cancelled" = "Dibatalkan"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "Hubungkan ke Pembaca"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "Sambungkan ke Facebook"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "Hubungkan pembaca kartu Anda"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "Harga saat ini berbeda-beda."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "Saat ini: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "Saat ini, pembuatan mendukung maksimal 100 variasi. Pembuatan variasi untuk produk ini akan membuat %d variasi."; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "Formulir bea cukai wajib menyertakan nomor telepon 10 digit"; -/* No comment provided by engineer. */ -"Custom order emails" = "Email pesanan khusus"; - -/* No comment provided by engineer. */ -"Custom product kits" = "Paket produk khusus"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "Catatan yang Diberikan Pelanggan"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "Email ulang tahun pelanggan"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "Pelanggan membayar %1$@ of %2$@ untuk pengiriman"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "Tarif diskon"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "Pengiriman berdiskon²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "Diskon tidak tersedia"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "Belum memiliki akun? _Daftar_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "Jangan sampai semua kerja keras Anda sia-sia! Upgrade ke paket berbayar untuk terus mengembangkan toko Anda. Dapatkan lebih banyak fitur, luncurkan dan mulai berjualan, lalu wujudkan bisnis ecommerce Anda."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "Jangan tampilkan lagi"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "Email Tanda Terima"; -/* No comment provided by engineer. */ -"Email support" = "Bantuan email"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "Kirimkan email tanda terima pembelian label ke %1$@ (%2$@) di %3$@"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "Terjadi error saat mengaktifkan Jetpack"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "Error saat mengaktifkan paket"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "Terjadi error saat memberi izin penyambungan ke Jetpack"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "Terjadi error saat memeriksa koneksi Jetpack ke situs Anda"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "Kode error %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "Kode error %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "Error saat mengonfirmasi pembayaran"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "Error selama pembelian"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "Terjadi error saat mengaktifkan analitik. Silakan coba lagi."; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "Semua orang suka promo"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Semua yang ada di Esensial, serta:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "Contoh: Dalam pot, kaktus, tanaman, dekoratif, mudah dirawat"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "Diperluas"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "Maksimalkan pengalaman dengan fitur dan layanan kami di luar aplikasi"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "Fitur Eksperimental"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "Teruskan"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "Sertifikat SSL gratis"; - /* Plan name for an active free trial */ "Free Trial" = "Percobaan Gratis"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "Penuhi pesanan Anda dengan WooCommerce Shipping"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "Daftar Fitur Lengkap"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "Dana telah tersedia setelah tertunda selama %1$d hari."; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "Melebihi batas pembuatan"; -/* No comment provided by engineer. */ -"Generous storage" = "Penyimpanan luas"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "Memulai"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "Mulai dalam sekejap"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "Dapatkan dukungan"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "Maksimalkan %1$@"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "Dapatkan hasil maksimal dari toko Anda"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "Kode kartu hadiah"; -/* No comment provided by engineer. */ -"Gift cards" = "Kartu hadiah"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "Kunjungi Toko"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Pendaftaran Google gagal."; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "Di admin situs, Anda bisa menemukan email yang digunakan untuk terhubung ke WordPress.com dari Dasbor Jetpack di bagian Koneksi > Koneksi Akun"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "Pembelian dalam Aplikasi tidak didukung"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "Pembayaran Langsung untuk Pesanan #%1$@ di %2$@ blog_id %3$@"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "Asuransi (hingga %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "Pembayaran terintegrasi"; - -/* No comment provided by engineer. */ -"International payments'" = "Pembayaran internasional"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "Koneksi Internet"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "Daftar gambar produk"; -/* No comment provided by engineer. */ -"List products by brand" = "Urutkan produk berdasarkan merek"; - -/* No comment provided by engineer. */ -"List unlimited products" = "Urutkan produk tanpa batas"; - -/* No comment provided by engineer. */ -"Live chat support" = "Dukungan obrolan langsung"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "Tarif pengiriman langsung"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "Sedang memuat"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "Memuat konten"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "Memuat detail paket"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "Memuat variasi produk"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "Lupa sandi Anda?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "Program poin loyalitas"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Dibuat dengan penuh cinta oleh Automattic. Kami membuka lowongan!<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "Kelola Privasi"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "Kelola Langganan Anda"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "Kelola dan sunting pesanan dari mana saja"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "Kelola stok"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "Kelola langganan Anda"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "Pengembalian Dana Manual"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "Tandai pesanan ini selesai dan kirim pemberitahuan ke pelanggan"; -/* No comment provided by engineer. */ -"Marketing & Email" = "Pemasaran & Email"; - -/* No comment provided by engineer. */ -"Marketing automation" = "Otomatisasi pemasaran"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "Maks. Belanja %1$@"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "Min. Belanja %1$@"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "Jumlah pesanan min\/maks"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "Jumlah minimal"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "Awal Bulan hingga Saat Ini"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "Bulanan"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "Lainnya"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "Tidak ada pesanan terpilih."; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "Belum ada pembayaran"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "Tidak ada harga yang ditentukan"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "Performa"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "Hanya paket performa"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "Tutup Akun Permanen"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "Memindahkan produk Anda ke tempat sampah..."; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "Harap bersabar selagi kami memproses pembayaran untuk paket %1$@ Anda."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Isi daya pembaca"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "Sambungkan toko Anda ke Jetpack untuk mengaksesnya di aplikasi ini."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "Silakan hubungi dukungan untuk mendapatkan bantuan."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Hubungi pemilik situs untuk menerima undangan ke situs sebagai manajer toko atau administrator untuk menggunakan aplikasi."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "Harap hubungi pemilik toko untuk mengupgrade paket Anda."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "Hubungi manajer atau administrator toko Anda untuk mendapatkan bantuan."; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Coba lagi atau hubungi kami dan dengan senang hati kami akan membantu Anda!"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "Silakan coba lagi atau hubungi dukungan untuk mendapatkan bantuan."; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "Harap coba lagi."; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugin"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "Populer"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "Didukung oleh Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "Termasuk tema premium"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "Menyiapkan Ketuk untuk Bayar di iPhone"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "Cetak tanda terima"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "Cetak label pengiriman²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "Mencetak Label"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "Add-on Produk"; -/* No comment provided by engineer. */ -"Product Bundles" = "Bundel Produk"; - /* Row title for filtering products by product category. */ "Product Category" = "Kategori Produk"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "Produk dipublikasikan"; -/* No comment provided by engineer. */ -"Product recommendations" = "Rekomendasi produk"; - /* Title of the alert when a user is saving a product */ "Product saved" = "Produk disimpan"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "Produk yang dipromosikan alih-alih produk yang sedang dilihat (mis. produk yang lebih menguntungkan)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "Promosikan di TikTok"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Promosikan produk dengan Blaze"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "Publikasikan produk Anda..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "Beli %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "Tanggal Pembelian"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "Resi"; -/* No comment provided by engineer. */ -"Recurring payments'" = "Pembayaran berulang"; - -/* No comment provided by engineer. */ -"Referral programs" = "Program referensi"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "Laporkan masalah crash"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "Laporkan Masalah Langganan"; - /* Title of the report section on the privacy screen */ "Reports" = "Laporan"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "Coba Lagi"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "Coba sambungkan lagi"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "Kembali ke Toko Saya"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "Kembalikan ke pengirim jika paket tidak dapat dikirimkan"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "Harga obral: %@"; -/* No comment provided by engineer. */ -"Sales reports" = "Laporan penjualan"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "Contoh"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "Lihat opsi tata letak dan ukuran kertas"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "Lihat detail paket"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "Pilih %1$d Kategori"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "Pilih Paket"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "Pilih paket"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "Pilih jenis produk"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "Informasi Pengiriman"; -/* No comment provided by engineer. */ -"Shipment tracking" = "Pelacakan pengiriman"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "Dikirimkan %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Seseorang"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "Terjadi kesalahan selama pembelian Anda dan kami tidak tahu apakah pembayaran Anda telah berhasil atau apakah paket toko Anda sudah diupgrade."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "Terjadi kesalahan saat validasi kode kupon Anda. Silakan coba lagi"; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "Penambahan tarif pajak secara otomatis telah dihentikan"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "Ruang Penyimpanan"; - /* Navigates to the Store name setup screen */ "Store Name" = "Nama toko"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "Daftarkan Permohonan Dukungan"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "Status Langganan"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "Langganan"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "Beralih ke Ukuran Font asal"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Sinkronkan dengan Pinterest"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "Menyinkronkan data"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "Terjadi error saat menghubungkan situs Anda ke Jetpack."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "Terjadi error saat mengambil detail paket Anda. Harap coba lagi nanti."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "Terjadi error saat mengambil pengaturan privasi Anda"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "Buang"; -/* Plan name for an expired free trial */ -"Trial ended" = "Percobaan berakhir"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "Pecahkan masalah"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "Memecahkan Masalah Koneksi"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "Pemecahan Masalah"; - /* Connect when the SSL certificate is invalid */ "Trust" = "Percayai"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "Coba Ketuk untuk Bayar di iPhone"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "Coba Lagi Pembayaran"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "Coba lakukan pembayaran %1$@ dengan kartu debit atau kredit Anda. Dana akan dikembalikan setelah selesai."; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "Tak terbatas"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "Akun admin tanpa batas"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "Produk tanpa nama"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "Memperbarui produk Anda..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "Upgrade"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "Upsell"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "Lihat"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "Lihat fitur %1$@"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "Lihat Kolom Khusus"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "Lihat Daftar Fitur Lengkap"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "Lihat Produk di Toko"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "Ada masalah saat memuat analitik"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "Terjadi error saat mengonfirmasi pembayaran Anda."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "Terjadi error ketika memuat informasi paket"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "Kami menghentikan sementara toko Anda. Anda dapat membeli paket lain dengan masuk ke WordPress.com via browser."; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "Lebar"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Yey! Awal yang hebat!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "WooCommerce Shipping saat ini tidak menyediakan pengiriman HAZMAT melalui %1$@."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "Aplikasi seluler WooCommerce"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "Toko WooCommerce"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "WordPress CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "Pustaka Media WordPress"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "Aplikasi seluler WordPress"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "Versi WordPress terlalu usang. Situs di %1$@ menggunakan WordPress %2$@. Kami merekomendasikan agar diperbarui ke versi terbaru, atau sekurang-kurangnya %3$@"; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "Kemarin"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "Masa percobaan gratis Anda adalah %1$d hari. Percobaan gratis Anda akan berakhir dalam %2$d hari. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "Anda tidak memiliki izin untuk mengakses toko ini."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "Anda tidak diizinkan menginstal Jetpack"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "Anda berlangganan paket %1$@. Anda dapat mengakses semua fitur kami sampai %2$@."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "Anda dapat menyunting produk bundel di dasbor web."; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Anda dapat mengelola dengan cepat dan mudah"; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "Anda dapat mengelola langganan di iPhone di Pengaturan → Nama Anda → Langganan"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "Anda hanya dapat menambahkan langganan variabel di dasbor web"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "Anda tidak dapat menggunakan alamat surel tersebut untuk pendaftaran. Kami mengalami masalah dengan mereka memblokir beberapa surel dari kami. Silahkan gunakan penyedia layanan surel lainnya."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "Anda tidak dapat mengupgrade karena Anda bukan pemilik toko"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "Saat ini, Kupon dinonaktifkan untuk toko ini. Aktifkan kupon untuk memulai."; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "Anda akan dapat menerima Pembayaran Langsung segera setelah kami selesai meninjau akun Anda."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "Anda dalam periode percobaan gratis"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "Anda tidak berwenang untuk menutup akun."; -/* No comment provided by engineer. */ -"Your Store" = "Toko Anda"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "Pemberitahuan WooPayments Anda akan dikirim ke email akun WordPress.com Anda. Ingin akun baru? Detail selengkapnya di sini."; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Email Anda tidak digunakan dengan akun WordPress.com."; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "Masa percobaan gratis Anda telah berakhir"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "Percobaan gratis sudah berakhir. Kini semua fitur hanya bisa diakses secara terbatas. Langganan Paket Woo Express sekarang."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "Masa percobaan gratis Anda akan berakhir dalam %1$@. Upgrade ke sebuah paket sebelum %2$@ untuk mendapatkan fitur baru dan mulai berjualan."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "iPhone dapat digunakan sebagai pembaca kartu, atau Anda dapat menghubungkan pembaca eksternal via bluetooth. "; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "Beberapa saat lagi, ponsel Anda siap digunakan untuk menerima pembayaran..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "Pembelian berhasil dan paket Anda sekarang adalah %1$@."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "Pembaca akan otomatis dimulai ulang dan dihubungkan kembali setelah pembaruan selesai."; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "Situs Anda merespons terlalu lama.\n\nHubungi penyedia hosting Anda untuk mendapatkan bantuan lebih lanjut."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "Paket situs Anda sudah berakhir."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "Toko Anda telah aktif!"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "Langganan Anda berakhir dan Anda dapat mengakses semua fitur secara terbatas."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "Langganan Anda aktif. Namun, terjadi error saat aktivasi paket di toko Anda."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "Tarif pajak Anda saat ini dihitung berdasarkan alamat penagihan pelanggan:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "Anda perlu menginstal ekstensi WooCommerce Payments gratis di toko Anda untuk menerima Pembayaran Langsung."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "Hampir selesai."; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8611,6 +8290,69 @@ 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"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "Tanpa nama"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "Coba sesuaikan istilah pencarian untuk melihat hasil lainnya"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "Pelanggan tidak ditemukan"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "Cari pelanggan"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "Pengguna ini adalah tamu sehingga tidak dapat digunakan untuk menyaring pemesanan."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "Pelanggan"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "Tanggal"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "Dari"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "Waktu"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "Tanggal dan waktu"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "Hingga"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "Tampilkan pemesanan"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "Pelanggan"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "Status Kehadiran"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "Tanggal dan waktu"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "Status Pembayaran"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "Layanan \/ Acara"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "Anggota Tim"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "Sembarang"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "Dari %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "Sampai %1$@"; + /* 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."; @@ -8647,6 +8389,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "Filter"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "Penyaring %1$d"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "Cari pemesanan"; @@ -8662,6 +8407,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "Pemesanan"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "Layanan atau aktivitas tidak ditemukan"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "Layanan \/ Acara"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "Dibatalkan"; @@ -8683,6 +8434,12 @@ 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"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "Anggota tim tidak ditemukan"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "Anggota tim"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "Tamu"; @@ -9687,6 +9444,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "Paket Jalur Darat Kuantitas Terbatas - Aerosol, disinfektan semprot, cat semprot, hair spray, propana, butana, produk-produk kebersihan, dll. - Parfum, cat kuku, pembersih cat kuku, pelarut, penyanitasi tangan, alkohol medis, produk-produk berbahan dasar etanol, dll. - Bahan-bahan jalur darat kuantitas terbatas lainnya (kosmetik, produk-produk kebersihan, cat, dll.)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "Sembarang"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "Perlihatkan produk Anda kepada jutaan orang dengan Blaze dan tingkatkan penjualan Anda"; @@ -9872,6 +9632,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "Kupon tidak digunakan selama periode ini"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "Sembarang"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "Sembarang"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "Pencarian"; @@ -10320,9 +10086,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "Edit"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "paket berakhir"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "Tutup"; @@ -11045,9 +10808,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "Percobaan gratis"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "Selesai"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Mengerti"; diff --git a/WooCommerce/Resources/it.lproj/Localizable.strings b/WooCommerce/Resources/it.lproj/Localizable.strings index ff8a94b6b41..b276083c235 100644 --- a/WooCommerce/Resources/it.lproj/Localizable.strings +++ b/WooCommerce/Resources/it.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-21 09:54:04+0000 */ +/* Translation-Revision-Date: 2025-11-04 11:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: it */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d completato"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld giorno"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld variante"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld varianti"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld giorni"; - /* 1 Item */ "%@ Item" = "%@ elemento"; /* For example, '5 Items' */ "%@ Items" = "%@ elementi"; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@ terminato"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "Rimborso dell'etichetta %@ richiesto"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1 elemento selezionato"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. Disponibile come standard in WooCommerce Payments (si applicano restrizioni). Potrebbero essere necessarie estensioni aggiuntive per altri fornitori dei pagamenti."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. Disponibile solo negli Stati Uniti: per gli altri Paesi sarà necessaria un'estensione aggiuntiva."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. Una volta completata la connessione, potrai accedere al negozio."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4-6 minuti"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Esiste già un abbonamento all'app store WooCommerce con il tuo ID Apple"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "Un account WordPress.com è collegato alle credenziali del tuo negozio. Per continuare, invieremo un link di verifica all'indirizzo e-mail sopra indicato."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "AGGIUNGI OPZIONI"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "Recupero del carrello abbandonato"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "Info sull'app"; -/* No comment provided by engineer. */ -"Accept local payments'" = "Accetta pagamenti locali"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "Accetta i Termini di servizio durante la configurazione."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "Attivo"; -/* No comment provided by engineer. */ -"Ad-free experience" = "Esperienza senza pubblicità"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "Firma di un adulto richiesta (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "Strumenti SEO avanzati"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "Strumento avanzato per la revisione dello stato dell'app"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Pubblicizza su Google"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "Pacchetto di etanolo conforme alle prescrizioni per il volo (spedizioni di fragranze e di igienizzanti per mani autorizzati)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Importo idoneo al rimborso"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "Un ID Apple può essere utilizzato solo per l'aggiornamento di un negozio"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "È stato restituito un codice di errore HTTP %i. "; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "Analisi attivata correttamente."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "Annualmente (Risparmia il 35%)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "È richiesta l'autenticazione per l'host: %@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "Backup automatici + ripristini rapidi"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "Imposte sulle vendite automatiche"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "Aggiunta automatica dell'aliquota d'imposta"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "Indietro"; -/* No comment provided by engineer. */ -"Back in stock emails" = "E-mail Back In Stock"; - /* Accessibility announcement message when device goes back online */ "Back online" = "Di nuovo online"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "Grassetto"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "Prenotato"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "Annullato"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "Sconosciuto"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "Personale assegnato"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "Partecipazione"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "Impossibile modificare lo stato della partecipazione alla Prenotazione n.%1$d"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "Aggiungi una nota"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "A pagamento"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "Paga in sede"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "Riprova"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "Incrementa le vendite con offerte speciali"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "Annulla installazione"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "Annulla aggiornamento"; - /* Display label for the subscription status type */ "Cancelled" = "Annullato"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "Connetti al lettore"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "Collegati con Facebook"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "Connetti il tuo lettore di carte"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "I prezzi attuali sono misti."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "Attuale: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "Attualmente la creazione è supportata per un massimo di 100 varianti. La generazione delle varianti per il prodotto creerà %d varianti."; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "I moduli personalizzati richiedono un numero di telefono composto da 10 cifre"; -/* No comment provided by engineer. */ -"Custom order emails" = "E-mail di ordini personalizzati"; - -/* No comment provided by engineer. */ -"Custom product kits" = "Kit di prodotti personalizzati"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "Nota fornita dai clienti"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "E-mail per il compleanno dei clienti"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "Il cliente ha pagato un #%1$@ di %2$@ per la spedizione"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "Tariffe scontate"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "Spedizione scontata²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "Sconti non disponibili"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "Non hai un account? _Registrati_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "Non perdere tutto quel duro lavoro! Esegui l'aggiornamento a un piano a pagamento per continuare a lavorare sul tuo negozio. Sblocca più funzionalità, inizia a vendere e rendi la tua attività di eCommerce una realtà."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "Non mostrare più"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "Ricevuta via e-mail"; -/* No comment provided by engineer. */ -"Email support" = "Supporto via e-mail"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "Invia per e-mail le ricevute di acquisto dell'etichetta a %1$@ (%2$@) all'indirizzo %3$@"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "Errore durante l'attivazione di Jetpack"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "Errore durante l'attivazione del piano"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "Errore di autorizzazione della connessione a Jetpack"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "Errore durante il controllo della connessione Jetpack sul tuo sito"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "Codice errore %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "Codice errore %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "Errore durante la conferma del pagamento"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "Errore durante l'acquisto"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "Errore durante l'attivazione dell'analisi. Prova di nuovo."; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "Tutti amano un'offerta"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Tutto in Essential, più:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "Esempio: in vaso, cactus, pianta, decorativa, di facile manutenzione"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "Espanso"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "Sperimenta più funzionalità e servizi oltre l'app"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "Funzionalità in fase sperimentale"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "Inoltra"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "Certificato SSL gratuito"; - /* Plan name for an active free trial */ "Free Trial" = "Periodo di Prova"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "Completa i tuoi ordini con WooCommerce Shipping"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "Elenco completo delle funzionalità"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "I fondi saranno disponibili dopo un periodo di attesa di %1$d giorni."; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "Limite di generazione superato"; -/* No comment provided by engineer. */ -"Generous storage" = "Archiviazione consistente"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "Inizia ora"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "Inizia in pochi minuti"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "Ottieni assistenza"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "Ottieni il massimo dallo sconto del %1$@"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "Ottieni il massimo dal tuo negozio"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "Codice della gift card"; -/* No comment provided by engineer. */ -"Gift cards" = "Gift card"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "Vai al Negozio"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Accesso a Google non riuscito."; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "Nell'amministrazione del sito puoi trovare l'e-mail che hai usato per collegarti a WordPress.com dalla bacheca di Jetpack in Connessioni > Connessione account"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "Acquisti in app non supportati"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "Pagamento di persona per l'Ordine #%1$@ per %2$@ blog_id %3$@"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "Assicurazione (fino a %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "Pagamenti integrati"; - -/* No comment provided by engineer. */ -"International payments'" = "Pagamenti internazionali"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "Connessione Internet"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "Elenco di immagini del prodotto"; -/* No comment provided by engineer. */ -"List products by brand" = "Elenco prodotti per marchio"; - -/* No comment provided by engineer. */ -"List unlimited products" = "Elenco prodotti illimitati"; - -/* No comment provided by engineer. */ -"Live chat support" = "Supporto via chat"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "Tariffe di spedizione in tempo reale"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "Caricamento"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "Caricamento del contenuto..."; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "Caricamento dei dettagli del piano"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "Caricamento delle varianti del prodotto"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "Password persa?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "Programmi fedeltà a punti"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Creato con amore da Automattic. Stiamo assumendo.<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "Gestisci la privacy"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "Gestisci il tuo abbonamento"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "Gestisci e modifica gli ordini in movimento"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "Gestisci magazzino"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "Gestisci il tuo abbonamento"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "Rimborso manuale"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "Contrassegna questo ordine come completato e invia una notifica al cliente"; -/* No comment provided by engineer. */ -"Marketing & Email" = "Marketing ed e-mail"; - -/* No comment provided by engineer. */ -"Marketing automation" = "Automazione del marketing"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "Spesa massima (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "Spesa minima (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "Quantità minima\/massima dell'ordine"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "Quantità minima"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "Mese corrente"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "Mensile"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "Altro"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "Nessun ordine selezionato"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "Non è stato addebitato alcun pagamento"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "Nessun prezzo impostato"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "Prestazioni"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "Solo piano Performance"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "Account chiuso in modo definitivo"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "Posizionamento del prodotto nel cestino..."; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "Un po' di pazienza mentre elaboriamo il pagamento per il piano %1$@."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Modifica il lettore"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "Connetti il negozio a Jetpack per permetterne l'accesso su questa app."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "Contatta il supporto per l’assistenza."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Contatta il proprietario del sito per un invito al sito come gestore del negozio o amministratore per utilizzare l'app."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "Contatta il proprietario del negozio per aggiornare il piano."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "Contatta il responsabile del negozio o un amministratore del sito per assistenza."; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Riprova di nuovo o contattaci per ricevere assistenza."; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "Prova di nuovo o contatta il supporto per ricevere assistenza"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "Riprova."; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugin"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "Popolari"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "Utilizza Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "Temi premium inclusi"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "Preparazione di Tocca per pagare su iPhone"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "Stampa ricevuta"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "Stampa etichette di spedizione²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "Etichetta di spedizione"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "Componenti aggiuntivi del prodotto"; -/* No comment provided by engineer. */ -"Product Bundles" = "Pacchetti di prodotti"; - /* Row title for filtering products by product category. */ "Product Category" = "Categoria prodotto"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "Prodotto pubblicato"; -/* No comment provided by engineer. */ -"Product recommendations" = "Consigli sui prodotti"; - /* Title of the alert when a user is saving a product */ "Product saved" = "Prodotto salvato"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "Prodotti promossi al posto del prodotto attualmente visualizzato (ossia i prodotti più redditizi)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "Promuovi su TikTok"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Promuovi i prodotti con Blaze"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "Pubblicazione del tuo prodotto..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "Acquista %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "Data di acquisto"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "Ricevuta"; -/* No comment provided by engineer. */ -"Recurring payments'" = "Pagamenti ricorrenti"; - -/* No comment provided by engineer. */ -"Referral programs" = "Programmi di riferimento"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "Segnala arresti anomali"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "Segnala problema con l'abbonamento"; - /* Title of the report section on the privacy screen */ "Reports" = "Rapporti"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "Riprova"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "Riprova la connessione"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "Torna a Il mio negozio"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "Restituisci al mittente se non è possibile consegnare il pacchetto"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "Prezzo di vendita: %@"; -/* No comment provided by engineer. */ -"Sales reports" = "Analisi delle vendite"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "Esempio"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "Visualizza le opzioni di layout e delle dimensioni del foglio"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "Vedi i dettagli del piano"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "Seleziona %1$d categorie"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "Seleziona un pacchetto"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "Scegli un piano"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "Seleziona un tipo di prodotto"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "Dettagli di spedizione"; -/* No comment provided by engineer. */ -"Shipment tracking" = "Tracciabilità della spedizione"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "Spedito %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Qualcuno"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "Si è verificato un errore durante l'acquisto e non siamo in grado di confermare se il tuo pagamento è stato completato o se il tuo piano negozio è stato aggiornato."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "Si è verificato un problema durante la convalida del codice promozionale. Riprova"; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "Aggiunta automatica dell'aliquota d'imposta interrotta"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "Spazio di archiviazione"; - /* Navigates to the Store name setup screen */ "Store Name" = "Nome del negozio"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "Invia la richiesta di supporto"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "Stato dell'abbonamento"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "Abbonamenti"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "Passa alla Dimensione del font predefinita"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Sincronizza con Pinterest"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "Sincronizzazione dei dati"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "Si è verificato un errore durante la connessione del tuo sito a Jetpack."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "Si è verificato un errore durante il recupero dei dettagli del tuo piano, riprova più tardi."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "Si è verificato un errore durante il recupero delle impostazioni sulla privacy"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "Cestino"; -/* Plan name for an expired free trial */ -"Trial ended" = "Periodo di prova terminato"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "Risoluzione dei problemi"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "Risoluzione dei problemi di connessione"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "Risoluzione dei problemi"; - /* Connect when the SSL certificate is invalid */ "Trust" = "Procedi ugualmente"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "Prova Tocca per pagare su iPhone"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "Ritenta il pagamento"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "Prova un pagamento di %1$@ con la tua carta di debito o di credito. Puoi effettuare il rimborso del pagamento quando hai terminato."; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "Illimitato"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "Account amministratore illimitati"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "Prodotto senza nome"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "Aggiornamento dei prodotti in corso..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "Aggiorna"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "Upsell"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "Visualizza"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "Visualizza tutte le funzionalità di %1$@"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "Visualizza campi personalizzati"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "Visualizza l'elenco completo delle funzionalità"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "Visualizza il prodotto in negozio"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "Abbiamo riscontrato un problema durante il caricamento dell'analisi"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "Si è verificato un errore durante la conferma del pagamento."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "Si è verificato un errore durante il caricamento delle informazioni sul piano"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "Abbiamo messo in pausa il tuo negozio. Puoi acquistare un altro piano accedendo a WordPress.com sul tuo browser."; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "Larghezza"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Wow! È tutto pronto per il grande inizio!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "WooCommerce Shipping attualmente non supporta le spedizioni HAZMAT tramite %1$@."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "App mobile di WooCommerce"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "Negozio WooCommerce"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "WordPress CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "Libreria multimediale WordPress"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "App WordPress per dispositivi mobili"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "La versione di WordPress è troppo vecchia Il sito %1$@ usa WordPress %2$@. Ti suggeriamo di aggiornare all'ultima versione, o, almeno, alla versione %3$@"; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "Ieri"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "Stai utilizzando il periodo di prova di %1$d giorni. La prova gratuita terminerà tra %2$d giorni. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "Non sei autorizzato ad accedere a questo negozio."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "Non sei autorizzato a installare Jetpack"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "Sei abbonato al piano %1$@! Hai accesso a tutte le nostre funzionalità fino al %2$@."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "Puoi modificare i prodotti in pacchetto nella bacheca web."; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Gestione rapida e facile."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "Puoi gestire il tuo abbonamento sull'iPhone in Impostazioni → Il tuo nome → Abbonamenti"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "Puoi aggiungere abbonamenti variabili solo nella bacheca web"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "L'indirizzo email che hai inserito non può essere usato per creare l'account. Stiamo avendo problemi con il tuo provider di posta elettronica che blocca le nostre email di attivazione. Si prega di riprovare con un altro indirizzo email."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "Non puoi eseguire l'aggiornamento perché non hai la proprietà del negozio"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "Attualmente hai codici promozionali disattivati per questo negozio. Attiva i codici promozionali per iniziare."; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "Potrai accettare Pagamenti di persona non appena avremo terminato la revisione del tuo account."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "Sei in un periodo di prova gratuito"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "Non sei autorizzato a chiudere l'account."; -/* No comment provided by engineer. */ -"Your Store" = "Il tuo negozio"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "Le notifiche di WooPayments verranno inviate all'e-mail del tuo account WordPress.com. Preferisci un nuovo account? Trovi ulteriori dettagli qui."; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "L'e-mail non è utilizzata con un account WordPress.com."; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "La tua prova gratuita è terminata"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "La tua prova gratuita è terminata e hai accesso limitato a tutte le funzionalità. Abbonati ora al piano Woo Express Plan."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "Il periodo di prova terminerà tra %1$@. Esegui l'aggiornamento del piano entro il giorno %2$@ per accedere alle nuove funzionalità e iniziare a vendere."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "Il tuo iPhone può essere usato come lettore di carte o puoi connettere un lettore esterno tramite Bluetooth."; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "Il telefono sarà pronto per riscuotere i pagamenti in un attimo..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "L'acquisto è completo e ora disponi del piano %1$@."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "Il lettore si riavvierà automaticamente e si riconnetterà al termine dell'aggiornamento"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "Il tuo sito sta impiegando troppo tempo per rispondere.\n\nContatta il tuo provider di hosting per ulteriore assistenza."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "Il piano del sito è terminato."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "Il tuo negozio è attivo."; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "Il tuo abbonamento è scaduto e hai un accesso limitato a tutte le funzionalità."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "Il tuo abbonamento è attivo, ma si è verificato un errore durante l'attivazione del piano nel negozio."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "La tua aliquota d'imposta viene attualmente calcolata in base all'indirizzo di fatturazione del cliente:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "Dovrai installare l'estensione gratuita WooCommerce Payments sul tuo negozio per accettare Pagamenti di persona."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "Ci sei quasi"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8293,69 @@ 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"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "Nessun nome"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "Prova a modificare il termine di ricerca per vedere più risultati"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "Nessun cliente trovato"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "Cerca cliente"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "Questo utente è un ospite e non è possibile filtrare gli ordini per gli ospiti."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "Cliente"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "Data"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "Da"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "Ora"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "Data e ora"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "A"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "Mostra prenotazioni"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "Cliente"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "Stato della partecipazione"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "Data e ora"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "Stato del pagamento"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "Servizio \/ Evento"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "Membro del team"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "Qualsiasi"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "Da %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "Fino al giorno %1$@"; + /* 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."; @@ -8650,6 +8392,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "Filtra"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "Filtro (%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "Cerca prenotazioni"; @@ -8665,6 +8410,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "Prenotazioni"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "Nessun servizio o evento trovato"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "Servizio \/ Evento"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "Annullato"; @@ -8686,6 +8437,12 @@ 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"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "Nessun membro del team trovato"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "Membro del team"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "Ospite"; @@ -9690,6 +9447,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "Pacchetti via terra a quantità limitata - Aerosol, disinfettanti spray, vernice spray, spray per capelli, propano, butano, prodotti per la pulizia, ecc. - Fragranze, smalto per unghie, solvente per unghie, solventi, igienizzante per le mani, alcol disinfettante, prodotti a base di etanolo, ecc. - Altri materiali per superfici in quantità limitata (cosmetici, prodotti per la pulizia, vernici, ecc.)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "Qualsiasi"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "Con Blaze i tuoi prodotti saranno visti da milioni di persone e le vendite aumenteranno"; @@ -9875,6 +9635,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "Nessun coupon utilizzato in questo periodo"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "Qualsiasi"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "Qualsiasi"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "Cerca"; @@ -10323,9 +10089,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "Modifica"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "piano scaduto"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "Chiudi"; @@ -11048,9 +10811,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "Prova gratuita"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "Fatto"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Ricevuto"; diff --git a/WooCommerce/Resources/ja.lproj/Localizable.strings b/WooCommerce/Resources/ja.lproj/Localizable.strings index c4c4808fe2f..33af0944a5b 100644 --- a/WooCommerce/Resources/ja.lproj/Localizable.strings +++ b/WooCommerce/Resources/ja.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-21 09:54:18+0000 */ +/* Translation-Revision-Date: 2025-11-04 09:54:05+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: ja_JP */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d 完了"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld日"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld バリエーション"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld バリエーション"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld日"; - /* 1 Item */ "%@ Item" = "%@個のアイテム"; /* For example, '5 Items' */ "%@ Items" = "%@個のアイテム"; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@が終了しました"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "%@ ラベルの返金がリクエストされました"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1個のアイテムを選択済み"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. WooCommerce Payments で標準として利用可能 (制限が適用される)。他の決済サービス業者ではさらに延長が必要になる場合があります。"; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. 米国でのみ利用可能 – 他の国ではさらに延長が必要になります。"; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. 接続完了後にストアにログインします。"; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4〜6分"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Apple ID を使用した WooCommerce アプリストアのプランはすでに存在します"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "WordPress.com アカウントはストアのログイン情報に連携されています。 続行する場合は、上のメールアドレスに認証リンクが届きます。"; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "オプションを追加"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "放棄されたカートの復旧"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "このアプリについて"; -/* No comment provided by engineer. */ -"Accept local payments'" = "現地での支払いを承認"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "設定中に利用規約に同意します。"; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "有効"; -/* No comment provided by engineer. */ -"Ad-free experience" = "広告非表示のエクスペリエンス"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "成人の方の署名が必要 (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "高度な SEO ツール"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "Advanced tool to review the app status"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Google に広告を掲載"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "航空便適合エタノールパッケージ - (認可されたフレグランスおよび手指消毒剤の配送)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "返金対象額"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "1つのストアのアップグレードには1つ の Apple ID のみ使用できます"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "HTTP エラーコード %i が返されました。"; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "分析が正常に有効化されました。"; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "年払い (35% 割引)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "ホストに必要な認証:%@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "自動バックアップとすばやい復元"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "消費税を自動適用"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "税率の自動加算"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "戻る"; -/* No comment provided by engineer. */ -"Back in stock emails" = "在庫のメールに戻る"; - /* Accessibility announcement message when device goes back online */ "Back online" = "再びオンラインになる"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "太字"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "予約済み"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "キャンセル済み"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "不明"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "担当スタッフ"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "出席率"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "予約番号%1$dの出席状況を変更できません"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "メモを追加"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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" = "予約済み"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "支払い済み"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "現地で支払う"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "再試行"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "特別オファーで売上を伸ばす"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "インストールをキャンセル"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "アップグレードをキャンセル"; - /* Display label for the subscription status type */ "Cancelled" = "キャンセル済み"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "Reader に接続"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "Facebook にリンク"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "カードリーダーを接続"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "現在、さまざまな価格が混在しています。"; -/* Reads like: Current: Free Trial */ -"Current: %@" = "現在: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "現在、作成がサポートされているのは、最大100件のバリエーションです。 この商品のバリエーションを生成すると、%d件のバリエーションが作成されます。"; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "カスタムフォームには10桁の電話番号を入力してください"; -/* No comment provided by engineer. */ -"Custom order emails" = "カスタム注文のメール"; - -/* No comment provided by engineer. */ -"Custom product kits" = "カスタム商品キット"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "顧客提供メモ"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "顧客への誕生日メール"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "配送料としてお客様から %2$@ の %1$@ の支払いがありました"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "割引価格"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "割引が適用された配送料²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "割引不可"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "アカウントをお持ちでない場合は_登録_してください。"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "これまでの作業を無駄にしないでください。 有料プランにアップグレードすればストアの運営を継続できます。 もっと多くの機能を活用し、サイトを公開して商品の販売を開始しましょう。eコマースビジネスが実現します。"; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "二度と表示しない"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "レシートをメールで送信"; -/* No comment provided by engineer. */ -"Email support" = "メールでのサポート"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "ラベルの購入レシートを %1$@ (%2$@) に %3$@ でメール送信します"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "Jetpack を有効化する際にエラーが発生しました"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "プランを有効化する際にエラーが発生しました"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "Jetpack との連携を認証する際にエラーが発生しました"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "サイトの Jetpack 接続の確認中にエラーが発生しました"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "エラーコード %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "エラーコード %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "支払いの確認時にエラーが発生しました"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "購入中にエラーが発生しました"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "分析の有効化中にエラーが発生しました。 もう一度やり直してください。"; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "誰もがお得な情報を求めています"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Essential プランのすべての内容に以下をプラス:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "例: 鉢植え、サボテン、植物、観賞用、お手入れ簡単"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "展開表示"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "アプリ以外の機能やサービスをもっと体験する"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "試験用の機能"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "前へ"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "無料の SSL 認証"; - /* Plan name for an active free trial */ "Free Trial" = "無料お試し"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "WooCommerce Shipping で注文を処理"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "全機能一覧"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "資金は%1$d日間保留された後に利用可能になります。"; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "生成の上限を超えました"; -/* No comment provided by engineer. */ -"Generous storage" = "大容量"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "今すぐ始める"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "すぐに始められます"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "サポートを受ける"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "%1$@ を最大限に活用しましょう"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "ストアを最大限に活用する"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "ギフトカードコード"; -/* No comment provided by engineer. */ -"Gift cards" = "ギフト券"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "ストアに移動"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google アナリティクス"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Google の登録に失敗しました。"; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "サイト管理画面で、Jetpack ダッシュボードの「接続」>「アカウント接続」から WordPress.com への接続に使用したメールアドレスを確認できます。"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "アプリ内購入には対応していません"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "%2$@ blog_id %3$@ への注文 #%1$@ のオフラインでの支払い"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "保険 (最大%1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "統合決済"; - -/* No comment provided by engineer. */ -"International payments'" = "海外での支払い"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "インターネット接続"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "商品画像のリスト"; -/* No comment provided by engineer. */ -"List products by brand" = "商品をブランド別に一覧表示"; - -/* No comment provided by engineer. */ -"List unlimited products" = "無制限の商品を一覧表示"; - -/* No comment provided by engineer. */ -"Live chat support" = "ライブチャットサポート (現在英語のみ)"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "リアルタイムの配送料金"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "読み込み中"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "コンテンツを読み込んでいます"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "プラン詳細を読み込んでいます"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "商品バリエーションを読み込み中"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "パスワードをお忘れですか ?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "ロイヤルティポイントプログラム"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Automattic が思いを込めて作りました。社員を募集中です。<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "プライバシーを管理"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "プランを管理する"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "外出先でも注文を管理・編集"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "在庫管理"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "購読を管理する"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "手動返金"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "この注文に完了のマークを付けてお客様に通知"; -/* No comment provided by engineer. */ -"Marketing & Email" = "マーケティング & メール"; - -/* No comment provided by engineer. */ -"Marketing automation" = "マーケティングの自動化"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "最大 利用額 (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "最小 利用額 (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "最小 \/ 最大注文数量"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "最低数量"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "今月の現在まで"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "毎月"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "その他"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "注文が選択されていません"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "支払いはされていません"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "価格未設定"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "パフォーマンス"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "パフォーマンスプラン"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "アカウントを完全に閉鎖"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "商品をゴミ箱に移動しています..."; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "ご契約中の%1$@プランの支払いを処理していますのでお待ちください。"; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "リーダーを充電してください"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "このアプリでアクセスするには、ストアを Jetpack に連携してください。"; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "ヘルプが必要な場合はサポートにご連絡ください。"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "アプリを使用するには、サイトの所有者に連絡し、ショップ運営者または管理者としてサイトへの招待を受けてください。"; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "プランをアップグレードするには、ストア所有者にご連絡ください。"; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "ショップ運営者または管理者にお問い合わせください。"; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "再度お試しいただくか、サポートをご依頼ください。"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "もう一度お試しいただくか、ヘルプが必要な場合はサポートにご連絡ください"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "もう一度お試しください。"; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "プラグイン"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "人気"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "Powered by Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "プレミアムテーマが含まれる"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "Tap to Pay on iPhone の準備"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "レシートを印刷"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "配送ラベルを印刷²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "ラベルを印刷中"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "製品アドイン"; -/* No comment provided by engineer. */ -"Product Bundles" = "商品パッケージ"; - /* Row title for filtering products by product category. */ "Product Category" = "商品カテゴリー"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "公開済みの商品"; -/* No comment provided by engineer. */ -"Product recommendations" = "商品のおすすめ"; - /* Title of the alert when a user is saving a product */ "Product saved" = "商品を保存しました"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "現在表示中の商品の代わりに宣伝される商品です (より安価な商品など)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "TikTok で宣伝"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Blaze を使って商品宣伝する"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "商品を公開しています..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "%1$@ を購入"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "購入日"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "領収書"; -/* No comment provided by engineer. */ -"Recurring payments'" = "定期支払い"; - -/* No comment provided by engineer. */ -"Referral programs" = "リファラルプログラム"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "クラッシュをレポート"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "サブスクリプションの問題を報告"; - /* Title of the report section on the privacy screen */ "Reports" = "レポート"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "再度試す"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "再度接続を試す"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "ストアに戻る"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "荷物を配達できなかった場合、荷送人に差し戻す"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "セール価格 :%@"; -/* No comment provided by engineer. */ -"Sales reports" = "売上レポート"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "サンプル"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "レイアウトと用紙サイズのオプションを見る"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "プラン詳細を表示する"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "%1$d件のカテゴリーを選択"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "荷物を選択"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "プランを選択"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "商品タイプを選択"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "配送状況の詳細"; -/* No comment provided by engineer. */ -"Shipment tracking" = "配送状況の追跡"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "出荷日: %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "だれか"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "購入時にエラーが発生したため、お支払いが完了したか、ストアプランがアップグレードされたかお知らせできません。"; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "クーポンコードを検証する際にエラーが発生しました。 もう一度お試しください"; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "税率の自動加算を停止しました"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "ストレージ"; - /* Navigates to the Store name setup screen */ "Store Name" = "ストア名"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "サポートリクエストを送信"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "定期購入ステータス"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "サブスクリプション"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "デフォルトのフォントサイズに変更する"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Pinterest と同期"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "データを同期しています"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "サイトを Jetpack に接続する際にエラーが発生しました。"; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "プランの詳細を取得する際にエラーが発生しました。後でもう一度お試しください。"; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "プライバシー設定の取得でエラーが発生しました"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "ゴミ箱"; -/* Plan name for an expired free trial */ -"Trial ended" = "お試し期間が終了しました"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "トラブルシューティング"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "接続をトラブルシューティングする"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "トラブルシューティング"; - /* Connect when the SSL certificate is invalid */ "Trust" = "信用する"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "Tap to Pay on iPhone を試してみる"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "再度支払いを試す"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "デビットカードまたはクレジットカードで %1$@の支払いを試します。 完了したら返金できます。"; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "無制限"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "アカウント数制限のない管理アカウント"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "名前のない商品"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "商品を更新中..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "アップグレード"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "アップセル"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "表示"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "%1$@ プランの機能を表示"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "カスタムフィールドを表示"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "全機能一覧を表示"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "ストアで商品を表示"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "分析の読み込み中に問題が発生しました"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "お支払いを確認する際にエラーが発生しました。"; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "プラン情報を読み込む際にエラーが発生しました"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "ストアは休止されています。 ブラウザで WordPress.com にログインして、別のプランを購入してください。"; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "横幅"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "お疲れ様でした ! すぐに開始できます。"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "WooCommerce Shipping は現在、%1$@ による危険物の発送には対応していません。"; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "WooCommerce モバイルアプリ"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "WooCommerce ストア"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "WordPress CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "WordPress メディアライブラリ"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "WordPress モバイルアプリ"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "WordPress バージョンが古すぎます。%1$@ のサイトは WordPress %2$@ を使用しています。最新バージョンか、最低でも %3$@ に更新することをおすすめします。"; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "昨日"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "%1$d日間の無料お試しが開始しました。 お試し期間は%2$d日後に終了します。 "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "このストアにアクセスする権限がありません。"; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "Jetpack をインストールする権限がありません"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "%1$@プランにサブスクリプション登録しました。 %2$@まですべての機能にアクセスできます。"; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "ウェブダッシュボードでパッケージ同梱商品を編集できます。"; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "スピーディかつ簡単に管理できます。"; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "「iPhone 設定」→「名前」→「サブスクリプション」でプランを管理できます。"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "ウェブダッシュボードではバリエーションのあるサブスクリプションのみを追加できます"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "ご指定のメールアドレスはアカウント登録にご利用いただけません。このメールプロバイダによって、こちらから送信するメールがブロックされる問題が発生することがあるためです。恐れ入りますが、他のメールプロバイダのアドレスをお使いください。"; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "ストア所有者ではないためアップグレードできません"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "現在、このストアではクーポンが無効になっています。 開始するにはクーポンを有効にしてください。"; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "アカウントのレビューが完了すると、すぐにオフラインでの支払いを受け取れるようになります。"; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "無料お試し版を使用中です"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "アカウントを閉鎖する権限がありません。"; -/* No comment provided by engineer. */ -"Your Store" = "あなたのストア"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "WooPayments の通知は WordPress.com アカウントのメールアドレスに送信されます。 新アカウントをご希望ですか ? 詳細情報"; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "メールアドレスは WordPress.com アカウントで使用されていません。"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "お試し期間が終了しました"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "お試し期間が終了しました。すべての機能へのアクセスが制限されています。 今すぐ Woo Express プランのサブスクリプションを契約しましょう。"; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "お試し期間は%1$@日後に終了します。 %2$@までにプランをアップグレードして新しい機能を利用し、販売を開始しましょう。"; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "iPhone をカードリーダーとして使用するか、Bluetooth 経由で外付けリーダーに接続できます。"; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "まもなくお使いのスマートフォンで支払いを受け取ることができるようになります..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "購入が完了しました。%1$@プランをご利用中です。"; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "更新が完了すると、Reader が自動的に再度起動し接続されます"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "サイトの応答に時間がかかっています。\n\nホスティングサービスに連絡のうえサポートを受けてください。"; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "ご登録のサイトプランは終了しました。"; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "あなたのストアが公開されました。"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "サブスクリプションが終了したため、ご利用いただける機能に制限がかかります。"; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "ご利用中のプランは有効になっていますが、ストアでプランの有効化の際にエラーが発生しました。"; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "現在、税率は顧客の請求先住所に基づいて計算されています。"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "オフラインでの支払いを受け取るには、無料の WooCommerce Payments 拡張機能をストアにインストールする必要があります。"; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "あともう少しです"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8293,69 @@ 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" = "もう一度試す"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "名前なし"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "より多くの結果を表示するには、検索キーワードを調整してみてください"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "お客様が見つかりません"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "お客様を検索"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "このユーザーはゲストです。ゲストは予約の絞り込みに使用できません。"; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "お客様"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "日付"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "開始:"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "時間"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "日付と時刻"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "終了:"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "予約を表示"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "お客様"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "出席状況"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "日付と時刻"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "支払いステータス"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "サービス \/ イベント"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "チームメンバー"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "すべて"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "%1$@から"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "%1$@まで"; + /* Message displayed when searching bookings by keyword yields no results. */ "bookingList.emptySearchText" = "その名前の予約は見つかりませんでした。より多くの結果を表示するには、検索キーワードを調整してみてください。"; @@ -8650,6 +8392,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "フィルター"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "フィルター (%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "予約を検索"; @@ -8665,6 +8410,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "予約"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "サービスまたはイベントが見つかりません"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "サービス \/ イベント"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "キャンセル済み"; @@ -8686,6 +8437,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "未払い"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "チームメンバーが見つかりません"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "チームメンバー"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "ゲスト"; @@ -9690,6 +9447,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "数量限定の陸送便パッケージ - エアゾール、スプレー消毒剤、スプレー塗料、ヘアスプレー、プロパン、ブタン、洗浄剤など - フレグランス、マニキュア、除光液、溶剤、手指消毒剤、消毒用アルコール、エタノールベース製品など - その他数量限定の陸送物質 (化粧品、洗浄剤、塗料など)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "すべて"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "Blaze で商品を何百万もの人に見てもらい、売上を伸ばしましょう"; @@ -9875,6 +9635,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "この期間中はクーポン使用なし"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "すべて"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "すべて"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "検索"; @@ -10323,9 +10089,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "編集"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "プランが終了しました"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "閉じる"; @@ -11048,9 +10811,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "無料お試し"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "完了"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "了解"; diff --git a/WooCommerce/Resources/ko.lproj/Localizable.strings b/WooCommerce/Resources/ko.lproj/Localizable.strings index 2abcd4545a2..228f17bfd5f 100644 --- a/WooCommerce/Resources/ko.lproj/Localizable.strings +++ b/WooCommerce/Resources/ko.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-21 09:54:17+0000 */ +/* Translation-Revision-Date: 2025-11-04 09:54:05+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: ko_KR */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d개 완료됨"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld일"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld개 변형"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld개 변형"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld일"; - /* 1 Item */ "%@ Item" = "%@개 항목"; /* For example, '5 Items' */ "%@ Items" = "%@개 항목"; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@ 종료됨"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "%@ 레이블 환불 요청됨"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1개 아이템 선택됨"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. 우커머스 결제에서 표준으로 사용 가능(제한 사항 적용) – 다른 결제 제공업체의 경우에는 추가 확장 기능이 필요할 수 있습니다."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. 미국에서만 이용 가능 – 다른 국가의 경우에는 추가 확장 기능이 필요합니다."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. 연결이 완료되면 스토어에 로그인됩니다."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4~6분"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Apple ID의 우커머스 앱 스토어 구독이 이미 있습니다."; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "워드프레스닷컴 계정이 스토어 자격 증명에 연결되어 있습니다. 계속하시겠다면 위의 이메일 주소에 대한 확인 링크를 보내드리겠습니다."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "옵션 추가"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "중단된 장바구니 복구"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "앱 정보"; -/* No comment provided by engineer. */ -"Accept local payments'" = "지역 결제 수단 수락'"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "설정 중 서비스 약관에 동의하세요."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "활성"; -/* No comment provided by engineer. */ -"Ad-free experience" = "광고 없는 환경"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "성인 서명 필수(+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "고급 SEO 도구"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "앱 상태를 검토하는 고급 도구"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Google에서 광고"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "항공 적격 에탄올 패키지 - (승인된 향수 및 손 소독제 배송)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "환불 가능 금액"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "Apple ID는 하나의 스토어 업그레이드에만 사용할 수 있습니다."; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "HTTP 오류 코드(%i)가 반환되었습니다."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "분석이 활성화되었습니다."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "연간(35% 절약)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "호스트 인증 필요: %@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "자동 백업 + 빠른 복원"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "판매세 자동 부과"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "자동으로 세율 추가하기"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "뒤로"; -/* No comment provided by engineer. */ -"Back in stock emails" = "재입고 이메일"; - /* Accessibility announcement message when device goes back online */ "Back online" = "온라인 복구"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "굵게"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "예약됨"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "취소됨"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "알 수 없음"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "할당된 직원"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "참석자"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "%1$d번 예약의 참석 상태를 변경할 수 없음"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "메모 추가"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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" = "예약"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "결제됨"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "현장 결제"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "다시 시도"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "특별 행사로 판매 촉진"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "설치 취소"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "업그레이드 취소"; - /* Display label for the subscription status type */ "Cancelled" = "취소됨"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "리더에 연결"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "페이스북과 연결"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "카드 리더 연결"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "현재 가격이 뒤섞였습니다."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "현재: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "현재 최대 100개 변형의 생성이 지원됩니다. 이 상품의 변형을 생성하면 %d개 변형이 생성됩니다."; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "세관 양식에 10자리 전화번호 필요"; -/* No comment provided by engineer. */ -"Custom order emails" = "사용자 정의 주문 이메일"; - -/* No comment provided by engineer. */ -"Custom product kits" = "사용자 정의 상품 키트"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "고객이 남긴 메모"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "고객 생일 이메일"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "배송에 대해 고객이 결제한 %1$@\/%2$@"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "할인률"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "할인된 배송²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "할인 이용 불가"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "아직 계정이 없으신가요? _가입_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "그동안의 수고를 물거품으로 만들지 마세요! 유료 요금제로 업그레이드하여 스토어 작업을 계속하세요. 더 많은 기능을 활용하고 판매를 시작하며 회원님의 전자상거래 비즈니스를 실현하세요."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "다시 보지 않음"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "이메일 영수증"; -/* No comment provided by engineer. */ -"Email support" = "이메일 지원"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "%3$@에 %1$@(%2$@)(으)로 레이블 구매 영수증을 이메일로 보내기"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "젯팩 활성화 중 오류 발생"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "요금제 활성화 중 오류 발생"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "젯팩에 연결하는 권한 부여 중 오류 발생"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "사이트의 젯팩 연결 확인 중 오류 발생"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "오류 코드 %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "오류 코드 %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "결제 확인 중 오류 발생"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "구매 중 오류 발생"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "분석을 활성화하는 동안 오류가 발생했습니다. 다시 시도하세요."; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "누구나 좋아하는 딜"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Essential의 모든 기능에 다음 추가:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "예: 화분, 선인장, 식물, 장식용, 손쉬운 관리"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "확장됨"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "앱 너머의 더 많은 기능과 서비스 경험"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "실험 특성"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "전달"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "무료 SSL 인증서"; - /* Plan name for an active free trial */ "Free Trial" = "무료 평가판"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "우커머스 배송으로 주문 처리"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "전체 기능 목록"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "%1$d일 대기 후 자금을 이용할 수 있게 됩니다."; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "생성 한도 초과됨"; -/* No comment provided by engineer. */ -"Generous storage" = "넉넉한 저장 공간"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "시작하기"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "몇 분 만에 시작하기"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "지원받기"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "%1$@ 최대한 활용"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "스토어 최대한 활용하기"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "상품권 코드"; -/* No comment provided by engineer. */ -"Gift cards" = "상품권"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "스토어로 이동"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google 애널리틱스"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Google 가입에 실패했습니다."; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "사이트 관리자의 연결 > 계정 연결 아래 Jetpack 대시보드에서 워드프레스닷컴에 연결하는 데 사용한 이메일을 찾을 수 있습니다."; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "앱 내 구매 지원 안 됨"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "%2$@ blog_id %3$@에 대한 주문 #%1$@의 대면 결제"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "보험(최대 %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "통합 결제"; - -/* No comment provided by engineer. */ -"International payments'" = "해외 결제'"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "인터넷 연결"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "제품 이미지 목록"; -/* No comment provided by engineer. */ -"List products by brand" = "브랜드별 상품 나열"; - -/* No comment provided by engineer. */ -"List unlimited products" = "무제한 상품 나열"; - -/* No comment provided by engineer. */ -"Live chat support" = "실시간 채팅 지원"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "실시간 배송비"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "로드하기"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "콘텐츠 로드 중"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "요금제 상세 정보 로딩 중"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "상품 변형 로드하기"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "비밀번호 분실?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "충성도 포인트 프로그램"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "많은 사랑을 받는 Automattic 제품 함께할 직원을 채용 중입니다!<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "개인정보 관리"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "구독 관리"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "항상 주문 관리 및 편집"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "재고 관리"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "구독 관리"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "수동 환불"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "이 주문을 완료로 표시하고 고객에게 알립니다."; -/* No comment provided by engineer. */ -"Marketing & Email" = "마케팅 및 이메일"; - -/* No comment provided by engineer. */ -"Marketing automation" = "마케팅 자동화"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "최대 지출(%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "최소 지출(%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "최소\/최대 주문 수량"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "최소 수량"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "월간 누계"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "월간"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "더 보기"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "선택된 주문이 없습니다."; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "결제가 이루어지지 않았습니다."; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "가격이 설정되지 않음"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "실적"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "성과 요금제 전용"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "영구적으로 계정 종료"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "제품을 휴지통에 버리는 중"; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "%1$@ 요금제 결제를 처리하는 동안 기다려 주세요."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "리더를 충전하세요."; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "이 앱에서 스토어에 접근하려면 해당 스토어를 젯팩에 연결하세요."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "도움이 필요한 경우 지원팀에 문의하세요."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "상점 관리자 또는 앱을 사용하는 관리자로 사이트에 초대받으려면 사이트 소유자에게 문의하세요."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "요금제를 업그레이드하려면 스토어 소유자에게 문의하세요."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "도움말은 매장 관리자에게 문의하세요."; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "다시 시도해 보세요. 또는 당사에 연락하면 기꺼이 도와드리겠습니다!"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "다시 시도하거나 지원팀에 도움을 문의하세요."; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "다시 시도하세요."; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "플러그인"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "인기순"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "Automattic 제공"; -/* No comment provided by engineer. */ -"Premium themes included" = "프리미엄 테마 포함됨"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "iPhone의 Tap to Pay 준비하기"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "영수증 인쇄"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "배송 레이블 인쇄²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "레이블 인쇄"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "상품 애드온"; -/* No comment provided by engineer. */ -"Product Bundles" = "상품 번들"; - /* Row title for filtering products by product category. */ "Product Category" = "상품 카테고리"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "상품 공개됨"; -/* No comment provided by engineer. */ -"Product recommendations" = "상품 추천"; - /* Title of the alert when a user is saving a product */ "Product saved" = "상품 저장됨"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "현재 보이는 제품 대신에 프로모션하는 제품(즉, 수익성이 더 높은 제품)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "TikTok에서 홍보"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Blaze로 제품 홍보"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "제품을 게시하는 중..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "%1$@ 구매"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "구매 날짜"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "영수증"; -/* No comment provided by engineer. */ -"Recurring payments'" = "반복 결제'"; - -/* No comment provided by engineer. */ -"Referral programs" = "추천 프로그램"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "충돌 보고"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "구독 문제 신고"; - /* Title of the report section on the privacy screen */ "Reports" = "보고서"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "재실행"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "연결 재시도"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "내 스토어로 돌아가기"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "패키지를 배송할 수 없는 경우 보낸 사람에게 반송"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "할인 가격: %@"; -/* No comment provided by engineer. */ -"Sales reports" = "판매 보고서"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "샘플"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "레이아웃 및 용지 크기 옵션 참조"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "요금제 상세 정보 참조"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "%1$d개 카테고리 선택"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "패키지 선택"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "요금제 선택"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "제품 유형 선택"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "배송 상세 정보"; -/* No comment provided by engineer. */ -"Shipment tracking" = "배송 추적"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "%@에 배송됨"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "다른 사람"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "구매 중 문제가 발생했으며, 결제가 완료되었거나 스토어 요금제가 업그레이드되었는지 알 수 없습니다."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "쿠폰 코드 유효성 검사 중 문제가 발생했습니다. 다시 시도하세요."; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "중지된 자동으로 세율 추가하기"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "저장 공간"; - /* Navigates to the Store name setup screen */ "Store Name" = "스토어 이름"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "지원 요청 제출"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "구독 상태"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "구독"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "기본 글꼴 크기로 전환"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Pinterest와 동기화"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "데이터 동기화 중"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "사이트를 젯팩에 연결하는 중 오류가 발생했습니다."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "요금제 상세 정보를 가져오는 중 오류가 발생했습니다. 나중에 다시 시도하세요."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "프라이버시 설정 가져오기 중 오류가 발생했습니다."; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "휴지통"; -/* Plan name for an expired free trial */ -"Trial ended" = "평가판 종료됨"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "문제 해결"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "연결 문제 해결"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "문제 해결"; - /* Connect when the SSL certificate is invalid */ "Trust" = "신뢰함"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "Tap to Pay on iPhone 사용해 보기"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "다시 결제 시도"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "체크카드 또는 신용카드로 %1$@ 결제를 시도해 보세요. 완료하면 결제에 대한 환불이 가능합니다."; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "무제한"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "무제한 관리자 계정"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "이름 없는 제품"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "상품 업데이트 중..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "업그레이드"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "상향 판매"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "보기"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "%1$@ 기능 보기"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "사용자 정의 필드 보기"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "전체 기능 목록 보기"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "스토어에서 제품 보기"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "분석을 로드하는 동안 문제가 발생했습니다."; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "결제 확인 중 오류가 발생했습니다."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "요금제 정보 로드 중 오류가 발생했습니다."; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "회원님의 스토어를 일시 중지했습니다. 브라우저에서 워드프레스닷컴에 로그인하여 다른 요금제를 구매하실 수 있습니다."; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "가로"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "좋아요! 바로 시작하실 수 있습니다!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "WooCommerce 배송에서는 현재 %1$@을(를) 통한 HAZMAT 배송이 지원되지 않습니다."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "우커머스 모바일 앱"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "우커머스 스토어"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "워드프레스 CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "워드프레스 미디어 라이브러리"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "워드프레스 모바일 앱"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "워드프레스 버전이 너무 오래됐습니다. %1$@의 사이트는 워드프레스 %2$@을(를) 사용합니다. 최신 버전 또는 %3$@ 이상으로 업데이트하세요."; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "어제"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "무료 평가판을 %1$d일째 사용 중입니다. %2$d일 후 무료 평가판이 종료됩니다. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "이 블로그에 접근할 권한이 없습니다."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "젯팩을 설치하실 권한이 없습니다."; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "%1$@ 요금제를 구독하셨습니다! %2$@까지 모든 기능에 접근하실 수 있습니다."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "웹 대시보드에서 번들 제품을 편집하실 수 있습니다."; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "빠르고 쉽게 관리할 수 있습니다."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "iPhone의 설정 → 이름 → 구독에서 구독을 관리하실 수 있습니다."; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "웹 알림판에서 가변 구독만 추가할 수 있습니다."; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "해당 이메일 주소를 회원가입하는데 사용할 수 없습니다. 우리의 이메일을 차단하는 문제를 일으킵니다. 다른 이메일 제공자를 사용하세요."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "스토어 소유자가 아니어서 업그레이드하실 수 없습니다."; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "현재 이 스토어의 쿠폰이 비활성화되어 있습니다. 시작하려면 쿠폰을 활성화하세요."; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "계정 검토를 완료하는 즉시 대면 결제를 수락할 수 있습니다."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "무료 평가판 사용 중"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "계정을 종료할 권한이 없습니다."; -/* No comment provided by engineer. */ -"Your Store" = "회원님의 스토어"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "WooPayments 알림은 워드프레스닷컴 계정 이메일로 전송됩니다. 새 계정을 선호하시나요? 여기에서 자세히 알아보세요."; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "해당 이메일은 워드프레스닷컴 계정에서 사용되지 않습니다."; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "무료 평가판이 종료되었습니다."; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "무료 평가판이 종료되었으며, 모든 기능에 대한 접근 권한이 제한되었습니다. 지금 Woo Express 요금제를 구독하세요."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "%1$@일 후 무료 평가판이 종료됩니다. %2$@일까지 요금제를 업그레이드하여 새로운 기능을 활용하고 판매를 시작하세요."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "iPhone을 카드 리더로 사용하거나, 블루투스를 통해 외부 리더에 연결할 수 있습니다."; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "곧 스마트폰으로 결제받을 준비가 완료됩니다..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "구매가 완료되었으며 %1$@ 요금제가 적용되고 있습니다."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "업데이트를 완료하면 리더가 자동으로 다시 시작하고 다시 연결됩니다."; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "사이트의 응답이 너무 오래 걸립니다.\n\n자세한 내용은 호스팅 공급업체에 문의하시길 바랍니다."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "사이트 요금제가 종료되었습니다."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "스토어가 실행되고 있습니다."; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "구독이 종료되었으며, 모든 기능에 대한 접근 권한이 제한되었습니다."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "구독은 활성 상태인데 스토어의 요금제를 활성화하는 중 오류가 발생했습니다."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "세율은 현재 고객 청구 주소를 기준으로 계산됨:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "대면 결제를 수락하려면 스토어에 무료 WooCommerce 결제 확장 기능을 설치해야 합니다."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "거의 다 되었습니다."; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8293,69 @@ 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" = "다시 시도"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "이름 없음"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "더 많은 결과를 참조하려면 검색어를 조정해 보세요."; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "고객을 찾을 수 없음"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "고객 검색"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "이 사용자는 비회원이며, 비회원은 예약 필터링에 사용할 수 없습니다."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "고객"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "날짜"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "시작"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "시각"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "날짜 및 시각"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "종료"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "예약 보기"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "고객"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "참석 상태"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "날짜 및 시각"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "결제 상태"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "서비스\/이벤트"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "팀 구성원"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "모두"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "%1$@부터"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "%1$@까지"; + /* Message displayed when searching bookings by keyword yields no results. */ "bookingList.emptySearchText" = "해당 이름으로 된 예약을 찾을 수 없습니다. 더 많은 결과를 보려면 검색어를 조정해 보세요."; @@ -8650,6 +8392,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "필터"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "필터(%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "예약 검색"; @@ -8665,6 +8410,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "예약"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "서비스 또는 이벤트를 찾을 수 없음"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "서비스\/이벤트"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "취소됨"; @@ -8686,6 +8437,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "미결제"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "팀 구성원을 찾을 수 없음"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "팀 구성원"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "비회원"; @@ -9690,6 +9447,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "한정 수량 육상 패키지 - 에어로졸, 스프레이 소독제, 스프레이 페인트, 헤어스프레이, 프로판, 부탄, 세정제 등 - 향료, 매니큐어, 매니큐어 제거제, 용제, 손 소독제, 소독용 알코올, 에탄올 주성분 제품 등 - 기타 한정 수량 표면재(화장품, 세정제, 도료 등)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "모두"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "Blaze를 통해 수백만 명에게 상품을 보여주고 매출 증대"; @@ -9875,6 +9635,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "이 기간에 사용된 쿠폰 없음"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "모두"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "모두"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "검색"; @@ -10323,9 +10089,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "편집"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "요금제 종료됨"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "닫기"; @@ -11048,9 +10811,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "무료 평가판"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "완료"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "확인"; diff --git a/WooCommerce/Resources/nl.lproj/Localizable.strings b/WooCommerce/Resources/nl.lproj/Localizable.strings index cb5a924f825..31fd1885fd1 100644 --- a/WooCommerce/Resources/nl.lproj/Localizable.strings +++ b/WooCommerce/Resources/nl.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-21 15:54:04+0000 */ +/* Translation-Revision-Date: 2025-11-04 17:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: nl */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d voltooid"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld dag"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld variatie"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld variaties"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld dagen"; - /* 1 Item */ "%@ Item" = "%@ artikel"; /* For example, '5 Items' */ "%@ Items" = "%@ artikelen"; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@ beëindigd"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "%@ label-terugbetaling aangevraagd"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1 item geselecteerd"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. Standaard beschikbaar met WooCommerce Payments (beperkingen van toepassing). Aanvullende extensies zijn mogelijk vereist voor andere betaalproviders."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. Alleen beschikbaar in de VS. Voor andere landen is een aanvullende extensie vereist."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. Wanneer de verbinding voltooid is, word je ingelogd bij je winkel."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4-6 minuten"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Er bestaat al een App Store-abonnement voor WooCommerce met jouw Apple-ID"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "Een WordPress.com-account is gekoppeld aan je winkel-inloggegevens. Om door te gaan sturen wij je een verificatielink naar het bovenstaande e-mailadres."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "OPTIES TOEVOEGEN"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "Verlaten winkelwagen herstellen"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "Over de app"; -/* No comment provided by engineer. */ -"Accept local payments'" = "Accepteer plaatselijke betalingen"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "Accepteer de servicevoorwaarden tijdens het instellen."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "Actief"; -/* No comment provided by engineer. */ -"Ad-free experience" = "Reclamevrije ervaring"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "Handtekening volwassene vereist (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "Geavanceerde SEO-hulpmiddelen"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "Geavanceerde tool om de app-status te controleren"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Adverteren op Google"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "Luchtgeschikt ethanol-pakket - (goedgekeurde parfum en handreinigingsverzendingen)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Bedrag dat wordt terugbetaald"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "Een Apple-ID kan maar gebruikt worden voor het upgraden van één winkel"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "Er is een HTTP-foutcode %i gegeven."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "Gelukt: analyses ingeschakeld."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "Jaarlijks (bespaar 35%)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "Authenticatie vereist voor host: %@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "Geautomatiseerde back-ups en snel herstellen"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "Geautomatiseerde omzetbelasting"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "Automatisch het belastingtarief toevoegen"; @@ -785,9 +737,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "Terug"; -/* No comment provided by engineer. */ -"Back in stock emails" = "E-mails voor aangevulde voorraad"; - /* Accessibility announcement message when device goes back online */ "Back online" = "Weer online"; @@ -841,6 +790,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "Vetgedrukt"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "Geboekt"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "Geannuleerd"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "Onbekend"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "Toegewezen personeel"; @@ -868,6 +826,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "Aanwezigheid"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "Kan de aanwezigheidsstatus van boeking #%1$d niet wijzigen"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "Een opmerking toevoegen"; @@ -949,14 +910,8 @@ which should be translated separately and considered part of this sentence. */ /* 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"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "Betaald"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "Betalen op locatie"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "Opnieuw proberen"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "Geef je verkopen een boost met speciale aanbiedingen"; @@ -1128,10 +1083,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "Installatie annuleren"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "Upgrade annuleren"; - /* Display label for the subscription status type */ "Cancelled" = "Geannuleerd"; @@ -1490,9 +1441,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "Verbinding maken met lezer"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "Verbinden met Facebook"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "Je kaartlezer koppelen"; @@ -1782,9 +1730,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "Huidige prijzen verschillen."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "Huidig: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "Aanmaken wordt momenteel ondersteund voor maximaal 100 variaties. Het genereren van variaties voor dit product leidt tot het aanmaken van %d variaties."; @@ -1824,12 +1769,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "Voor douaneformulieren is een tiencijferig telefoonnummer verplicht"; -/* No comment provided by engineer. */ -"Custom order emails" = "Aangepaste bestellingsmails"; - -/* No comment provided by engineer. */ -"Custom product kits" = "Aangepaste productpakketten"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1844,9 +1783,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "Bericht van klant"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "E-mails voor verjaardag van klant"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "Klant heeft %1$@ van %2$@ betaald aan verzendkosten"; @@ -1964,9 +1900,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "Korting op kosten"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "Verzending met korting²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "Kortingen niet beschikbaar"; @@ -2041,9 +1974,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "Heb je geen account? _Aanmelden_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "Verlies al je harde werk niet! Upgrade naar een betaald abonnement om aan je winkel te blijven werken. Ontgrendel meer functies, lanceer je site en begin met verkopen, en wek jouw webwinkel tot leven."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "Niet opnieuw tonen"; @@ -2060,7 +1990,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2218,9 +2147,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "E-mailontvangst"; -/* No comment provided by engineer. */ -"Email support" = "E-mailondersteuning"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "E-mail de labelaanschafkwitanties naar %1$@ (%2$@) via %3$@"; @@ -2407,9 +2333,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "Foutmelding tijdens activeren van Jetpack"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "Fout bij activeren abonnement"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "Foutmelding bij het autoriseren van de verbinding met Jetpack"; @@ -2419,18 +2342,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "Fout bij het controleren van de Jetpack-koppeling van je site"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "Foutcode %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "Foutmelding %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "Fout bij bevestiging betaling"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "Fout bij aankoop"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "Fout bij inschakelen analyses. Probeer het opnieuw."; @@ -2480,9 +2394,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "Iedereen houdt van een goede deal"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Alles in Essential en:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "Voorbeeld: in pot, cactus, plant, decoratief, makkelijke verzorging"; @@ -2537,9 +2448,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "Uitgeklapt"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "Ervaar meer van onze functies en diensten buiten de app"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "Experimentele functies"; @@ -2691,9 +2599,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "Doorsturen"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "Gratis SSL-certificaat"; - /* Plan name for an active free trial */ "Free Trial" = "Gratis proefabonnement"; @@ -2709,9 +2614,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "Verwerk je bestellingen met WooCommerce Shipping"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "Volledige lijst van functies"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "Bedragen komen na %1$d dagen in de wacht beschikbaar."; @@ -2745,9 +2647,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "Generatielimiet overschreden"; -/* No comment provided by engineer. */ -"Generous storage" = "Ruime opslag"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "Aan de slag"; @@ -2776,13 +2675,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "Ga binnen enkele minuten al aan de slag"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "Krijg ondersteuning"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "Haal het meeste uit %1$@"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "Haal het optimale uit je winkel"; @@ -2810,9 +2705,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "Cadeauboncode"; -/* No comment provided by engineer. */ -"Gift cards" = "Cadeaubonnen"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2834,9 +2726,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "Ga naar winkel"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Aanmelden met Google mislukt."; @@ -3020,9 +2909,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "In je sitebeheer kan je de e-mail vinden die je gebruikt hebt om verbinding te maken met WordPress.com via het Jetpack-dashboard onder Verbindingen > Accountverbinding"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "Aankopen in de app worden niet ondersteund"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "Fysieke betaling voor bestelnr. %1$@ voor %2$@ blog_id %3$@"; @@ -3116,12 +3002,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "Verzekering (tot %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "Geïntegreerde betalingen"; - -/* No comment provided by engineer. */ -"International payments'" = "Internationale betalingen"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "Internetverbinding"; @@ -3399,18 +3279,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "Lijst met afbeeldingen van het product"; -/* No comment provided by engineer. */ -"List products by brand" = "Producten per merk vermelden"; - -/* No comment provided by engineer. */ -"List unlimited products" = "Onbeperkt producten vermelden"; - -/* No comment provided by engineer. */ -"Live chat support" = "Ondersteuning via live chat"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "Live verzendkosten"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "Bezig met laden"; @@ -3423,9 +3291,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "Content laden"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "Abonnementsgegevens laden"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "Productvariaties worden geladen"; @@ -3514,9 +3379,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "Wachtwoord vergeten?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "Loyaliteitspuntenprogramma’s"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Met liefde gemaakt door Automattic. Wij zijn op zoek naar nieuwe collega's!<\/a>"; @@ -3543,9 +3405,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "Privacy beheren"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "Je abonnement beheren"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "Beheer en bewerk bestellingen onderweg"; @@ -3561,9 +3420,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "Voorraad beheren"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "Beheer je abonnement"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "Handmatige terugbetaling"; @@ -3592,12 +3448,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "Markeer deze bestelling als voltooid en informeer de klant"; -/* No comment provided by engineer. */ -"Marketing & Email" = "Marketing en e-mail"; - -/* No comment provided by engineer. */ -"Marketing automation" = "Geautomatiseerde marketing"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "Max. bestelbedrag (%1$@)"; @@ -3649,9 +3499,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "Min. bestelbedrag (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "Minimale\/maximale bestelhoeveelheid"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "Minimaal aantal"; @@ -3670,9 +3517,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "Maand tot en met huidige datum"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "Maandelijks"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "Meer"; @@ -3864,9 +3708,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "Geen bestelling geselecteerd"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "Er is geen betaling uitgevoerd"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "Geen prijs ingesteld"; @@ -4317,9 +4158,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "Prestatie"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "Alleen met het Prestatie-abonnement"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "Sluit account permanent"; @@ -4348,9 +4186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "Je product wordt naar de prullenbak verplaatst ..."; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "Nog even geduld terwijl we de betaling van je %1$@-abonnement verwerken."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Laad de lezer op"; @@ -4360,16 +4195,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "Verbind je winkel met Jetpack om toegang te krijgen op deze app."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "Neem contact op met ondersteuning voor assistentie."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Neem contact op met de eigenaar van de site voor een uitnodiging om als winkelmanager of beheerder de app te gebruiken."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "Neem contact op met de winkeleigenaar voor het upgraden van je abonnement."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "Neem contact op met je winkelmanager of beheerder voor hulp."; @@ -4466,9 +4294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Probeer het opnieuw of neem contact met ons op zodat wij je kunnen helpen."; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "Probeer het nog eens of neem contact met ons op voor ondersteuning"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "Probeer het nog eens."; @@ -4533,8 +4358,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugins"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "Populair"; /* Text field postcode in Edit Address Form @@ -4553,9 +4377,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "Mogelijk gemaakt door Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "Premium thema’s inbegrepen"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "Tap to Pay on iPhone voorbereiden"; @@ -4636,9 +4457,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "Kwitantie afdrukken"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "Verzendlabels afdrukken²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "Label wordt afgedrukt"; @@ -4684,9 +4502,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "Add-ons voor product"; -/* No comment provided by engineer. */ -"Product Bundles" = "Productbundels"; - /* Row title for filtering products by product category. */ "Product Category" = "Productcategorie"; @@ -4721,9 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "Product gepubliceerd"; -/* No comment provided by engineer. */ -"Product recommendations" = "Aanbevolen producten"; - /* Title of the alert when a user is saving a product */ "Product saved" = "Product opgeslagen."; @@ -4777,9 +4589,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "Gepromote producten in plaats van de momenteel weergegeven producten (ofwel winstgevendere producten)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "Promoten op TikTok"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Producten promoten met Blaze"; @@ -4804,9 +4613,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "Bezig met publiceren van je product..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "Kopen %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "Datum van aanschaf"; @@ -4886,12 +4692,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "Factuur"; -/* No comment provided by engineer. */ -"Recurring payments'" = "Herhaaldelijke betalingen"; - -/* No comment provided by engineer. */ -"Referral programs" = "Doorverwijzingsprogramma's"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5039,9 +4839,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "Crashes melden"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "Probleem met abonnement melden"; - /* Title of the report section on the privacy screen */ "Reports" = "Rapporten"; @@ -5098,12 +4895,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "Opnieuw"; /* 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. @@ -5116,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "Opnieuw verbinding maken"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "Terug naar Mijn winkel"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "Terugsturen naar afzender als het pakket niet kan worden geleverd"; @@ -5175,9 +4967,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "Prijs tijdens de sale: %@"; -/* No comment provided by engineer. */ -"Sales reports" = "Verkooprapporten"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "Monster"; @@ -5292,9 +5081,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "Zie opties voor lay-out en papierformaat"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "Abonnementsgegevens bekijken"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "Selecteer %1$d categorieën"; @@ -5329,9 +5115,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "Selecteer een pakket"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "Selecteer een abonnement"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "Selecteer een producttype"; @@ -5499,9 +5282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "Verzendingsgegevens"; -/* No comment provided by engineer. */ -"Shipment tracking" = "Verzending bijhouden"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "Verzonden op %@"; @@ -5649,9 +5429,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Iemand"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "Er is iets misgegaan bij je aankoop. We kunnen niet zien of je betaling is voltooid of dat je winkelabonnement is geüpgradet."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "Er is iets misgegaan bij het valideren van je kortingsboncode. Probeer het nog eens"; @@ -5791,9 +5568,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "Automatisch het belastingtarief toevoegen"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "Opslag"; - /* Navigates to the Store name setup screen */ "Store Name" = "Winkelnaam"; @@ -5815,12 +5589,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "Ondersteuningsverzoek indienen"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "Abonnementstatus"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "Abonnementen"; /* Create Shipping Label form -> Subtotal label @@ -5867,9 +5636,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "Schakelt over naar de standaard lettertypegrootte"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Synchroniseren met Pinterest"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "Gegevens synchroniseren"; @@ -6256,9 +6022,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "Er is een fout opgetreden bij het maken van een verbinding tussen je website en Jetpack."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "Er is een fout opgetreden bij het ophalen van je abonnementgegevens. Probeer het later opnieuw."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "Er is een fout opgetreden bij het ophalen van je privacy-instellingen"; @@ -6503,18 +6266,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "Prullenbak"; -/* Plan name for an expired free trial */ -"Trial ended" = "Proefabonnement is afgelopen"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "Probleemoplossing"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "Problemen met verbinding oplossen"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "Probleemoplossing"; - /* Connect when the SSL certificate is invalid */ "Trust" = "Vertrouw"; @@ -6546,9 +6303,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "Tap to Pay op iPhone proberen"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "Probeer de betaling opnieuw"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "Probeer een %1$@ -betaling met je betaal- of creditcard. De betaling zal worden terugbetaald zodra je klaar bent."; @@ -6780,9 +6534,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "Ongelimiteerd"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "Onbeperkte beheerdersaccounts"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "Product zonder naam"; @@ -6884,9 +6635,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "Je producten bijwerken..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "Upgraden"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "Upsells"; @@ -6998,9 +6746,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "Bekijk"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "%1$@ functies bekijken"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7017,9 +6762,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "Aangepaste velden bekijken"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "Volledige lijst van functies bekijken"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "Product in winkel weergeven"; @@ -7145,12 +6887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "Er heeft zich een probleem voorgedaan bij het laden van de analyses"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "Er heeft zich een fout voorgedaan bij het bevestigen van je betaling."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "Er heeft zich een fout voorgedaan bij het laden van de abonnementsgegevens"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "We hebben je winkel even stilgezet. Je kan een ander abonnement aanschaffen door in te loggen op WordPress.com in je browser."; @@ -7290,9 +7026,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "Breedte"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Woo! Een goed begin is het halve werk!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7320,26 +7053,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "WooCommerce Shipping ondersteunt op dit moment geen verzendingen met gevaarlijke goederen via %1$@."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "Mobiele WooCommerce-app"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "WooCommerce-winkel"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "WordPress CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "WordPress-mediabibliotheek"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "Mobiele WordPress-app"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "WordPress versie te oud. De site op %1$@ gebruikt WordPress %2$@. We raden aan bij te werken naar de nieuwste versie of minimaal %3$@"; @@ -7380,18 +7101,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "Gisteren"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "Je hebt het gratis proefabonnement van %1$d dagen. Je gratis proefabonnement loopt af over %2$d dagen. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "Je bent niet gemachtigd deze winkel te openen."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "Je bent niet gemachtigd om Jetpack te installeren"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "Je bent geabonneerd op het %1$@-abonnement! Tot %2$@ heb je toegang tot al onze functies."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "Je kunt gebundelde producten bewerken in de nieuwe online dashboard."; @@ -7407,9 +7122,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Je kunt ze snel en eenvoudig beheren."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "Je kan je abonnement beheren in je iPhone-instellingen → Je naam → Abonnementen"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "Je kan alleen variabele abonnementen toevoegen in het online dashboard"; @@ -7425,9 +7137,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "Je kan dat e-mailadres niet gebruiken om je aan te melden. We hebben problemen met het blokkeren van sommige e-mailadressen. Probeer een andere e-mail provider."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "Je kan niet upgraden omdat je niet de winkeleigenaar bent"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "Je hebt momenteel coupons voor deze winkel uitgeschakeld. Schakel coupons in om te beginnen."; @@ -7459,15 +7168,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "Je kunt fysieke betalingen aannemen zodra we je account hebben gecontroleerd."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "Je gebruikt een gratis proefversie"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "Je bent niet geautoriseerd om het account te sluiten."; -/* No comment provided by engineer. */ -"Your Store" = "Jouw winkel"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "Je WooPayments-meldingen worden verzonden naar het e-mailadres van je WordPress.com-account. Heb je liever dat we het naar een nieuw account sturen? Meer informatie vind je hier."; @@ -7483,15 +7186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Je e-mailadres wordt niet gebruikt met een WordPress.com-account"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "Je gratis proefversie is beëindigd"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "Je gratis proefversie is geëindigd en je hebt nu beperkt toegang tot alle functies. Abonneer je nu op een Woo Express-abonnement."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "Je gratis proefversie loopt af over %1$@. Upgrade naar een abonnement vóór %2$@ om nieuwe functies te ontgrendelen en te beginnen met verkopen."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "Je iPhone kan als kaartlezer worden gebruikt. Je kan ook met een externe kaartlezer verbinden via bluetooth."; @@ -7510,9 +7204,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "Je telefoon is binnenkort klaar om betalingen te ontvangen..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "Je aanschaf is voltooid en je hebt nu het %1$@-abonnement."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "Uw lezer start na de update automatisch opnieuw op en maakt opnieuw verbinding"; @@ -7531,18 +7222,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "Het duurt te lang voordat je site reageert.\n\nNeem contact op met je hostingprovider voor verdere ondersteuning."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "Je site-abonnement is beëindigd."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "Je winkel is online!"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "Je abonnement is verlopen en je hebt nu beperkt toegang tot alle functies."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "Je abonnement is actief, maar er is een fout opgetreden bij het activeren van het abonnement van je winkel."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "Je belastingtarief wordt momenteel berekend op basis van het factuuradres van je klant:"; @@ -7561,9 +7243,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "Je moet de gratis WooCommerce Payments-extensie installeren in je winkel om fysieke betalingen aan te nemen."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "Je bent er bijna."; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8611,6 +8290,69 @@ 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"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "Geen naam"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "Probeer je zoekterm aan te passen om meer resultaten te zien"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "Geen klant gevonden"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "Klant zoeken"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "Deze gebruiker is een gast en gasten kunnen niet gebruikt worden om boekingen te filteren."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "Klant"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "Datum"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "Van"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "Tijd"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "Datum en tijd"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "Tot"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "Boekingen weergeven"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "Klant"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "Aanwezigheidsstatus"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "Datum en tijd"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "Betaalstatus"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "Dienst\/gebeurtenis"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "Teamlid"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "Alle"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "Van %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "Tot %1$@"; + /* 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."; @@ -8647,6 +8389,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "Filteren"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "Filter (%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "Boekingen zoeken"; @@ -8662,6 +8407,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "Boekingen"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "Geen dienst of gebeurtenis gevonden"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "Dienst\/gebeurtenis"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "Geannuleerd"; @@ -8683,6 +8434,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Onbetaald"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "Geen teamleden gevonden"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "Teamlid"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "Gast"; @@ -9687,6 +9444,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "Grondpakket LTD QTY - aerosolen, spuitontsmettingsmiddelen, spuitverf, haarspray, propaan, butaan, reinigingsproducten enz. - Parfums, nagellak, nagellakverwijderaar, oplosmiddelen, handreiniging, schoonmaakalcohol, ethanolproducten enz. - Andere oppervlaktematerialen in beperkte hoeveelheid (cosmetica, reinigingsproducten, verf enz.)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "Alles"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "Zorg dat je producten door miljoenen worden gezien met Blaze en geef je verkoop een boost"; @@ -9872,6 +9632,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "Geen coupon gebruikt gedurende deze periode"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "Alles"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "Alles"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "Zoeken"; @@ -10320,9 +10086,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "Bewerken"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "abonnement beëindigd"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "Sluiten"; @@ -11045,9 +10808,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "Gratis proefabonnement"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "Gereed"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Duidelijk"; diff --git a/WooCommerce/Resources/pt-BR.lproj/Localizable.strings b/WooCommerce/Resources/pt-BR.lproj/Localizable.strings index e46aaf719ef..823d2e0c858 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-21 19:54:04+0000 */ +/* Translation-Revision-Date: 2025-11-03 21:54:18+0000 */ /* Plural-Forms: nplurals=2; plural=(n > 1); */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: pt_BR */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d concluídas"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld dia"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld variação"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld variações"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld dias"; - /* 1 Item */ "%@ Item" = "%@ item"; /* For example, '5 Items' */ "%@ Items" = "%@ itens"; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@ terminou"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "Reembolso da etiqueta de %@ solicitado"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1 Item selecionado"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. Disponível como padrão no WooCommerce Payments (há restrições). Extensões adicionais podem ser obrigatórias para outros provedores de pagamento."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. Disponível apenas nos EUA. Em outros países, uma extensão adicional é obrigatória."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. Quando a conexão for concluída, você será conectado à sua loja."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4 a 6 minutos"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Já existe uma assinatura de loja do aplicativo do WooCommerce com seu ID Apple"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "Uma conta do WordPress.com está conectada às credenciais da sua loja. Para continuar, enviaremos um link de verificação para o endereço de e-mail acima."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "ADICIONAR OPÇÕES"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "Recuperação de carrinho abandonado"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "Sobre o aplicativo"; -/* No comment provided by engineer. */ -"Accept local payments'" = "Aceitar pagamentos locais'"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "Aceite os termos de serviço durante a configuração."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "Ativo"; -/* No comment provided by engineer. */ -"Ad-free experience" = "Experiência sem publicidade"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "Assinatura de um adulto necessária (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "Ferramentas avançadas de SEO"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "Ferramenta avançada para revisar o status do aplicativo"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Anuncie no Google"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "Pacote com etanol elegível para envio aéreo - (envios de higienizador para mãos e fragrância autorizados)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Valor elegível para reembolso"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "Um ID Apple só pode ser usado para fazer upgrade de uma loja"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "Um código de erro HTTP %i foi retornado."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "Análise ativada com sucesso."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "Por ano (economize 35%)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "Autenticação requerida pelo host: %@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "Backup automatizado e restauração rápida"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "Taxas de vendas automatizadas"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "Inclusão automática de imposto"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "Voltar"; -/* No comment provided by engineer. */ -"Back in stock emails" = "E-mails de notificação de estoque"; - /* Accessibility announcement message when device goes back online */ "Back online" = "Online novamente"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "Negrito"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "Reservado"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "Cancelado"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "Desconhecido"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "Equipe designada"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "Comparecimento"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "Não foi possível alterar o status de presença da reserva n.º %1$d"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "Adicionar nota"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "Paga"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "Pagar no local"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "Tentar novamente"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "Impulsione as vendas com ofertas especiais"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "Cancelar instalação"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "Cancelar o upgrade"; - /* Display label for the subscription status type */ "Cancelled" = "Cancelado"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "Conectar-se ao leitor"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "Entrar com uma conta do Facebook"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "Conecte seu leitor de cartão"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "Os preços atuais estão misturados."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "Atual: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "Atualmente, a criação é compatível com 100 variações no máximo. Gerar variações para este produto criaria %d variações."; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "As declarações aduaneiras exigem um número de telefone de 10 dígitos"; -/* No comment provided by engineer. */ -"Custom order emails" = "E-mails de pedidos personalizados"; - -/* No comment provided by engineer. */ -"Custom product kits" = "Kits de produtos personalizados"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "Nota fornecida pelo cliente"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "E-mails de aniversário do cliente"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "O cliente pagou %1$@ de %2$@ de frete"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "Tarifas com desconto"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "Envio com desconto²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "Descontos indisponíveis"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "Não tem uma conta? _Cadastre-se_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "Não desperdice todo seu trabalho duro! Faça upgrade para um plano pago para continuar trabalhando em sua loja. Obtenha mais funcionalidades, comece a vender e torne seu negócio de eCommerce uma realidade."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "Não mostrar novamente"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "Enviar recibo por e-mail"; -/* No comment provided by engineer. */ -"Email support" = "Suporte por e-mail"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "Envie por e-mail os recibos de compra de etiqueta para %1$@ (%2$@) pelo endereço %3$@"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "Erro ao ativar o Jetpack"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "Erro ao ativar o plano"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "Erro ao autorizar a conexão ao Jetpack"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "Erro ao verificar a conexão do Jetpack no seu site"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "Código de erro %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "Código do erro %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "Erro ao confirmar pagamento"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "Erro durante a compra"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "Erro ao ativar a análise. Tente novamente."; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "Quem não ama uma oferta?"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Tudo do plano Essential, além de:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "Por exemplo: vaso, cacto, planta, decorativa, fácil de cuidar"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "Expandida"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "Conheça mais das nossas funcionalidades e serviços além do aplicativo"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "Recursos experimentais"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "Encaminhar"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "Certificado SSL gratuito"; - /* Plan name for an active free trial */ "Free Trial" = "Teste gratuito"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "Conclua seus pedidos com o WooCommerce Shipping"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "Lista completa de funcionalidades"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "Os fundos ficam disponíveis após %1$d dias pendentes."; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "Limite de geração excedido"; -/* No comment provided by engineer. */ -"Generous storage" = "Armazenamento vasto"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "Comece agora"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "Comece em minutos"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "Obter suporte"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "Aproveite o %1$@ ao máximo"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "Aproveite sua loja ao máximo"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "Código do vale-presente"; -/* No comment provided by engineer. */ -"Gift cards" = "Vales-presentes"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "Ir para a loja"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "O cadastro com o Google falhou."; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "Na administração do seu site, é possível encontrar o e-mail utilizado para se conectar ao WordPress.com no painel do Jetpack em Conexões > Conexão da conta"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "Compras no aplicativo não são compatíveis"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "Pagamento presencial do pedido #%1$@ para %2$@ blog_id %3$@"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "Seguro (até %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "Pagamentos integrados"; - -/* No comment provided by engineer. */ -"International payments'" = "Pagamentos internacionais"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "Conexão com a Internet"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "Lista de imagens do produto"; -/* No comment provided by engineer. */ -"List products by brand" = "Listar produtos por marca"; - -/* No comment provided by engineer. */ -"List unlimited products" = "Listar produtos ilimitados"; - -/* No comment provided by engineer. */ -"Live chat support" = "Suporte por chat ao vivo"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "Taxas de envio em tempo real"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "Carregando"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "Carregando conteúdo"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "Carregando detalhes do plano"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "Carregando variações de produto"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "Esqueceu sua senha?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "Programas de pontos de fidelidade"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Feito com amor pela Automattic. Estamos contratando!<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "Gerenciar privacidade"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "Gerenciar sua assinatura"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "Gerencie e edite seus pedidos de qualquer lugar"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "Gerenciar estoque"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "Gerencie sua assinatura"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "Reembolso manual"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "Marcar este pedido como concluído e notificar o cliente"; -/* No comment provided by engineer. */ -"Marketing & Email" = "Marketing e e-mail"; - -/* No comment provided by engineer. */ -"Marketing automation" = "Automação de marketing"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "Gasto máx. (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "Gasto mín. (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "Quantidades mín.\/máx. em pedidos"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "Quantidade mínima"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "Acumulado mensal"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "Mensalmente"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "Mais"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "Nenhum pedido selecionado"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "Nenhum pagamento foi recebido"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "Nenhum preço definido"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "Desempenho"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "Somente plano de desempenho"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "Encerrar conta permanentemente"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "Colocando seu produto na lixeira..."; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "Continue conosco enquanto processamos o pagamento para o plano %1$@."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Carregue o leitor"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "Conecte sua loja ao Jetpack para acessá-lo neste aplicativo."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "Entre em contato com o suporte para obter ajuda."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Para usar o aplicativo, entre em contato com o proprietário do site e solicite um convite para o site como administrador ou gerente de loja."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "Entre em contato com o proprietário da loja para fazer upgrade do plano."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "Entre em contato com o gerente ou administrador da loja para obter ajuda."; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Tente novamente ou fale conosco. Teremos prazer em ajudar você!"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "Tente novamente ou entre em contato com o suporte para obter ajuda"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "Tente novamente."; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugins"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "Popular"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "Com tecnologia Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "Temas premium inclusos"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "Preparando o Tap to Pay on iPhone"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "Imprimir recibo"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "Imprimir etiquetas de envio²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "Imprimindo etiqueta"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "Complementos do produto"; -/* No comment provided by engineer. */ -"Product Bundles" = "Pacotes de produtos"; - /* Row title for filtering products by product category. */ "Product Category" = "Categoria de produto"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "Produto publicado"; -/* No comment provided by engineer. */ -"Product recommendations" = "Recomendações de produtos"; - /* Title of the alert when a user is saving a product */ "Product saved" = "Produto salvo"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "Produtos divulgados em vez do produto visualizado no momento (isto é, produtos mais rentáveis)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "Promova no TikTok"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Promova produtos com o Blaze"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "Publicando o produto..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "Comprar %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "Data da compra"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "Recibo"; -/* No comment provided by engineer. */ -"Recurring payments'" = "Pagamento recorrente'"; - -/* No comment provided by engineer. */ -"Referral programs" = "Programas de indicação"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "Reportar travamentos"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "Relatar problema de assinatura"; - /* Title of the report section on the privacy screen */ "Reports" = "Relatórios"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "Tentar novamente"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "Tentar conexão novamente"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "Retornar para Minha loja"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "Devolver o pacote ao remetente caso não possa ser enviado"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "Preço promocional: %@"; -/* No comment provided by engineer. */ -"Sales reports" = "Relatórios de venda"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "Amostra"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "Consulte as opções de layout e tamanho do papel"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "Conferir detalhes do plano"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "Selecionar %1$d categorias"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "Selecione um pacote"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "Selecionar um plano"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "Selecione um tipo de produto"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "Detalhes de envio"; -/* No comment provided by engineer. */ -"Shipment tracking" = "Rastreamento de envio"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "Enviado em %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Alguém"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "Ocorreu um erro durante a compra, e não é possível determinar se seu pagamento foi concluído ou se o plano da loja foi atualizado."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "Ocorreu um erro ao validar seu código de cupom. Tente novamente"; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "Inclusão automática de imposto interrompida"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "Armazenamento"; - /* Navigates to the Store name setup screen */ "Store Name" = "Nome da loja"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "Enviar solicitação de suporte"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "Status da assinatura"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "Assinaturas"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "Alterna para o tamanho padrão"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Sincronizar com o Pinterest"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "Sincronizando dados"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "Ocorreu um erro ao conectar seu site ao Jetpack."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "Aconteceu um erro na busca por detalhes do seu plano. Tente novamente mais tarde."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "Ocorreu um erro na busca pelas suas configurações de privacidade"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "Enviar para a lixeira"; -/* Plan name for an expired free trial */ -"Trial ended" = "Teste terminado"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "Solução de problemas"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "Solucionar problema de conexão"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "Solução de problemas"; - /* Connect when the SSL certificate is invalid */ "Trust" = "Confiar"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "Experimente o Tap to Pay on iPhone"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "Tentar pagar novamente"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "Experimente um pagamento no valor de %1$@ com seu cartão de crédito ou débito. Quando você concluir, poderá reembolsá-lo."; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "Ilimitado"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "Contas de administrador ilimitadas"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "Produto sem nome"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "Atualizando seus produtos..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "Fazer upgrade"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "Aumentar vendas"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "Visualizar"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "Visualizar as funcionalidades do %1$@"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "Visualizar campos personalizados"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "Visualizar lista completa de funcionalidades"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "Visualizar produto na loja"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "Ocorreu um problema ao carregar a análise"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "Encontramos um erro ao confirmar seu pagamento."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "Encontramos um erro ao carregar as informações do plano"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "Nós suspendemos a sua loja. Você pode adquirir outro plano ao fazer login no WordPress.com no seu navegador."; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "Largura"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Eba! Você começou bem."; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "No momento, o WooCommerce Shipping não oferece suporte a envios de materiais perigosos (HAZMAT) pelo %1$@."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "Aplicativo móvel do WooCommerce"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "Loja do WooCommerce"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "CMS WordPress"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "Biblioteca de mídia do WordPress"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "Aplicativo móvel do WordPress"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "Versão muito antiga do WordPress. O site em %1$@ usa o WordPress %2$@. Recomendamos a atualização para a última versão ou pelo menos, a versão %3$@."; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "Ontem"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "Você está no teste gratuito de %1$d dias, que terminará em %2$d dias. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "Você não está autorizado a acessar esta loja."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "Você não tem permissão para instalar o Jetpack"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "Você assinou o plano %1$@! Você tem acesso a todas as funcionalidades até %2$@."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "Você pode editar produtos agrupados no painel da Web."; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Você pode gerenciar com rapidez e facilidade."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "Você pode gerenciar sua assinatura em Ajustes → Seu nome → Assinaturas no seu iPhone"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "Você só pode adicionar assinaturas variáveis no painel da Web"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "Você não pode usar este endereço de e-mail para se inscrever. Esse provedor bloqueia alguns de nossos e-mails. Use outro provedor de e-mail."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "Não foi possível fazer upgrade porque você não é proprietário da loja."; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "No momento, a opção de cupons está desativada para esta loja. Ative-a para começar."; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "Você poderá aceitar pagamentos presenciais assim que analisarmos sua conta."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "Você está no período de teste"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "Sem autorização para encerrar a conta."; -/* No comment provided by engineer. */ -"Your Store" = "Sua loja"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "Suas notificações do WooPayments serão enviadas para seu e-mail da conta do WordPress.com. Prefere outra conta? Confira mais detalhes aqui."; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Seu e-mail não é usado com uma conta do WordPress.com"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "Seu período de teste terminou."; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "Seu teste gratuito expirou e você tem acesso limitado a todas as funcionalidades. Assine agora um plano Woo Express."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "Seu período de teste terminará em %1$@. Faça upgrade para um plano até %2$@ para desbloquear novas funcionalidades e começar a vender."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "Você pode usar seu iPhone como um leitor de cartão ou conectá-lo a um leitor externo via Bluetooth."; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "Seu telefone estará pronto para receber pagamentos em um momento..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "Sua compra foi concluída e agora você tem o plano %1$@."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "O seu leitor será reiniciado e reconectado automaticamente após a atualização ser concluída"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "Seu site está demorando muito para responder.\n\nEntre em contato com o provedor de hospedagem para obter mais ajuda."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "O plano do seu site expirou."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "Sua loja está no ar!"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "Sua assinatura expirou e você tem acesso limitado a todas as funcionalidades."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "Sua assinatura está ativa, mas ocorreu um erro ao ativar o plano na sua loja."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "No momento, sua taxa de imposto é calculada com base no endereço de cobrança do cliente:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "Você precisará instalar a extensão gratuita do WooCommerce Payments na sua loja para aceitar pagamentos presenciais."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "Você está quase lá"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8293,69 @@ 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"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "Sem nome"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "Tente ajustar o termo de busca para ver mais resultados"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "Nenhum cliente encontrado"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "Pesquisar cliente"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "Este usuário é um convidado, e convidados não podem ser usados para filtrar reservas."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "Cliente"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "Data"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "De"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "Horário"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "Data e hora"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "A"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "Mostrar reservas"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "Cliente"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "Status de presença"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "Data e hora"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "Status do pagamento"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "Serviço\/Evento"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "Membro da equipe"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "Qualquer um"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "De %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "A %1$@"; + /* 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."; @@ -8650,6 +8392,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "Filtrar"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "Filtro (%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "Pesquisar reservas"; @@ -8665,6 +8410,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "Reservas"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "Nenhum serviço ou evento encontrado"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "Serviço\/Evento"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "Cancelada"; @@ -8686,6 +8437,12 @@ 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"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "Nenhum membro da equipe encontrado"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "Membro da equipe"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "Visitante"; @@ -9690,6 +9447,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "Pacote para envio por via terrestre em quantidade limitada: desinfetantes, tintas e fixadores de cabelo em spray, aerossol, propano, butano, produtos de limpeza etc. - Fragrâncias, esmalte de unha e removedor de esmalte, solventes, higienizador para mãos, álcool isopropílico, produtos à base de etanol etc. - Outros materiais em quantidade limitada usados em superfícies (cosméticos, produtos de limpeza, tintas etc.)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "Qualquer um"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "Exiba seus produtos para milhões de pessoas com o Blaze e aumente as vendas"; @@ -9875,6 +9635,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "Nenhum cupom foi usado durante este período"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "Qualquer um"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "Qualquer um"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "Pesquisar"; @@ -10323,9 +10089,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "Editar"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "plano encerrado"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "Fechar"; @@ -11048,9 +10811,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "Teste gratuito"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "Concluir"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Entendi"; diff --git a/WooCommerce/Resources/ru.lproj/Localizable.strings b/WooCommerce/Resources/ru.lproj/Localizable.strings index e562bcf6e16..890dbaa4da3 100644 --- a/WooCommerce/Resources/ru.lproj/Localizable.strings +++ b/WooCommerce/Resources/ru.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-22 13:54:03+0000 */ +/* Translation-Revision-Date: 2025-11-04 17:54:05+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 */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "Готово: %1$d из %2$d"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld день"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld вариант"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "Варианты: %1$ld"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld дн."; - /* 1 Item */ "%@ Item" = "%@ элемент"; /* For example, '5 Items' */ "%@ Items" = "%@ элемент."; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@ завершён"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "Запрошен возврат оплаты этикетки %@"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1 объект выбран."; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. Доступно в качестве стандартной опции с WooCommerce Payments (применяются ограничения). Для работы с другими платёжными операторами могут потребоваться дополнительные расширения."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. Только для США. Для других стран потребуется дополнительное расширение."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. После установки подключения вы автоматически выполните вход в свой магазин."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4–6 минут"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 ГБ"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Подписка на магазин WooCommerce с вашим Apple ID уже существует"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "Учётная запись WordPress.com подключена к вашим учётным данным магазина. Чтобы продолжить, перейдите по ссылке для подтверждения, которую мы отправили на указанный адрес электронной почты."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "ДОБАВИТЬ ОПЦИИ"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "Восстановление оставленной корзины"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "О приложении"; -/* No comment provided by engineer. */ -"Accept local payments'" = "Поддержка локальных способов оплаты'"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "Примите условия предоставления услуг во время настройки."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "Активно"; -/* No comment provided by engineer. */ -"Ad-free experience" = "Без рекламы"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "Требуется подпись совершеннолетнего лица (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "Расширенные возможности поисковой оптимизации"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "Специальный инструмент для анализа состояния приложения"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Размещайте рекламу в Google"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "Разрешённые к авиаперевозке посылки с этанолом (разрешённые посылки с духами и антисептиками для рук)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Сумма, доступная для возврата"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "Один Apple ID можно использовать для обновления тарифного плана только для одного магазина"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "Получен код ошибки HTTP %i."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "Аналитика включена."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "Ежегодно (экономия 35 %)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "Необходима авторизация для доступа к узлу: %@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "Автоматическое резервное копирование и быстрое восстановление"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "Автоматическое взимание налога с продаж"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "Автоматическое добавление налоговой ставки"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "Назад"; -/* No comment provided by engineer. */ -"Back in stock emails" = "Эл. письма о наличии товара"; - /* Accessibility announcement message when device goes back online */ "Back online" = "Вы снова в сети"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "Полужирный"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "Забронировано"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "Отмена"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "Неизвестно"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "Назначенный персонал"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "Встреча"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "Не удалось изменить статус участия бронирования номер %1$d"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "Добавить примечание"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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" = "Забронировано"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "Оплачено"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "Оплата на месте"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "Повторить"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "Повысьте продажи с помощью специальных предложений"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "Отменить установку"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "Отменить обновление"; - /* Display label for the subscription status type */ "Cancelled" = "Отменено"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "Подключить устройство чтения"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "Подключиться к Facebook"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "Подключите устройство чтения карт"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "Текущие цены вариантов отличаются друг от друга."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "Сейчас: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "Текущее максимальное количество создаваемых вариантов: 100. Количество вариантов, которые можно создать для этого продукта: %d."; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "Для таможенных форм требуется 10-значный телефонный номер"; -/* No comment provided by engineer. */ -"Custom order emails" = "Пользовательские эл. письма о заказах"; - -/* No comment provided by engineer. */ -"Custom product kits" = "Пользовательские комплекты товаров"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "Примечание клиента"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "Поздравительные эл. письма в честь дня рождения клиента"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "Клиент оплатил %1$@ (%2$@) за доставку"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "Пониженные тарифы"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "Скидки на доставку ²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "Нет доступных скидок"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "Нет учетной записи? _Зарегистрироваться_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "Не потеряйте результаты упорной работы! Перейдите на платный тарифный план, чтобы продолжить работу с магазином. Получите доступ к дополнительным функциям, запустите продажи и делайте бизнес в Интернете."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "Больше не показывать"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "Отправить чек по эл. почте"; -/* No comment provided by engineer. */ -"Email support" = "Поддержка электронной почты"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "Отправить квитанции о покупке %1$@ (%2$@) на %3$@"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "Ошибка при активации Jetpack"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "Ошибка активации тарифного плана"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "Ошибка при авторизации подключения к Jetpack"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "Ошибка проверки подключения Jetpack на вашем сайте"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "Код ошибки %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "Код ошибки %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "Ошибка подтверждения платежа"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "Ошибка при покупке"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "Ошибка включения аналитики. Повторите попытку."; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "Все любят скидки"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Все возможности Essential, а также:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "Пример: комнатный, кактус, растение, декоративный, простой уход"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "Развернутый"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "Испытайте другие возможности и сервисы помимо приложения"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "Экспериментальные функции"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "Направить"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "Бесплатный сертификат SSL"; - /* Plan name for an active free trial */ "Free Trial" = "Бесплатный пробный период"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "Выполняйте заказы с помощью WooCommerce Shipping"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "Полный список возможностей"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "Денежные средства станут доступны после утверждения в течение %1$d дн."; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "Превышено максимальное количество вариантов"; -/* No comment provided by engineer. */ -"Generous storage" = "Большое хранилище"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "Начать"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "Приступайте к работе за считанные минуты"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "Обратиться в поддержку"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "Извлеките максимум из %1$@"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "Используйте все возможности магазина"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "Код подарочной карты"; -/* No comment provided by engineer. */ -"Gift cards" = "Подарочные карты"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "Перейти в магазин"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Аналитика"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Регистрация в Google не удалась."; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "Чтобы узнать, какой адрес эл. почты вы использовали для подключения к WordPress.com, в режиме управления сайтом в консоли Jetpack перейдите в раздел \"Подключения\" > \"Подключение учётных записей\"."; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "Покупки в приложении не поддерживаются"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "Оплата при получении, заказ № %1$@ для %2$@ blog_id %3$@"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "Страхование (до %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "Интегрированные платежи"; - -/* No comment provided by engineer. */ -"International payments'" = "Международные платежи'"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "Подключение к Интернету"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "Список изображений товара"; -/* No comment provided by engineer. */ -"List products by brand" = "Вывод списка товаров по брендам"; - -/* No comment provided by engineer. */ -"List unlimited products" = "Вывод списка с неограниченным количеством товаров"; - -/* No comment provided by engineer. */ -"Live chat support" = "Поддержка в онлайн-чате"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "Актуальные тарифы доставки"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "Загрузка"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "Загрузка содержимого"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "Загрузка сведений о тарифном плане"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "Загрузка вариаций товаров"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "Забыли пароль?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "Программы лояльности с начислением баллов"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Создан Automattic с любовью. Есть вакансии!<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "Управление конфиденциальностью"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "Управление подпиской"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "Управляйте заказами и редактируйте их на ходу"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "Управлять запасами"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "Управление подпиской"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "Возврат вручную"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "Отметить заказ как выполненный и уведомить заказчика"; -/* No comment provided by engineer. */ -"Marketing & Email" = "Маркетинг и эл. почта"; - -/* No comment provided by engineer. */ -"Marketing automation" = "Автоматизация маркетинга"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "Макс. сумма (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "Мин. сумма (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "Мин.\/макс. количество для заказа"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "Минимальное количество"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "С начала месяца до текущего дня"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "Ежемесячно"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "Больше"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "Заказы не выбраны"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "Средства не списаны"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "Не установлена цена"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "Производительность"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "Только тарифный план Performance"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "Навсегда закрыть учётную запись"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "Отправка товара в корзину..."; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "Подождите немного: мы обрабатываем оплату тарифного плана %1$@."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Зарядите терминал"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "Подключите магазин к Jetpack, чтобы работать с ним в этом приложении."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "Обратитесь в службу поддержки."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Чтобы использовать приложение, получите приглашение у владельца сайта, например у директора магазина или администратора."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "Свяжитесь с владельцем магазина для улучшения тарифного плана."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "Обратитесь к менеджеру магазина или администратору."; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Повторите попытку или обратитесь к нам."; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "Повторите попытку или обратитесь в службу поддержки"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "Повторите попытку."; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Плагины"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "Популярное"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "При поддержке Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "Премиум-темы включены в состав"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "Подготовка Tap to Pay on iPhone"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "Печать квитанции"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "Печать транспортных этикеток ²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "Выполняется печать этикетки"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "Дополнения к товару"; -/* No comment provided by engineer. */ -"Product Bundles" = "Комплекты товаров"; - /* Row title for filtering products by product category. */ "Product Category" = "Категория товара"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "Товар опубликован"; -/* No comment provided by engineer. */ -"Product recommendations" = "Рекомендации товаров"; - /* Title of the alert when a user is saving a product */ "Product saved" = "Товар сохранен"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "Продукты, которые будут предложены пользователю вместо просматриваемого в настоящий момент продукта (например, более прибыльные продукты)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "Продвижение в TikTok"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Продвигайте товары с помощью Blaze"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "Публикация продукта..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "Купить %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "Дата покупки"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "Чек"; -/* No comment provided by engineer. */ -"Recurring payments'" = "Регулярные платежи'"; - -/* No comment provided by engineer. */ -"Referral programs" = "Реферальные программы"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "Сообщить об отказах"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "Сообщить о проблеме с подпиской"; - /* Title of the report section on the privacy screen */ "Reports" = "Отчеты"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "Повторить"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "Повторить попытку подключения"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "Вернуться в мой магазин"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "Вернуть отправителю в случае невозможности доставки"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "Цена со скидкой: %@"; -/* No comment provided by engineer. */ -"Sales reports" = "Отчёты о продажах"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "Образец"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "См. макет и варианты размера бумаги"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "См. подробную информацию о плане"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "Выбрать рубрики (%1$d)"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "Выбрать посылку"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "Выбрать тарифный план"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "Выбрать тип товара"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "Сведения о доставке"; -/* No comment provided by engineer. */ -"Shipment tracking" = "Отслеживание доставки"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "Отправлено %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Кто-то"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "При покупке произошла ошибка. Мы не знаем, удалось ли провести платёж и обновить тарифный план магазина."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "Не удалось проверить код купона. Повторите попытку."; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "Автоматическое добавление налоговой ставки прервано"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "Хранилище"; - /* Navigates to the Store name setup screen */ "Store Name" = "Название магазина"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "Отправить запрос в службу поддержки"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "Статус подписки"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "Подписки"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "Переход к размеру шрифта по умолчанию"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Синхронизация с Pinterest"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "Синхронизация данных"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "Ошибка подключения сайта к Jetpack."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "При получении сведений о тарифном плане произошла ошибка, повторите попытку позже."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "При получении настроек конфиденциальности произошла ошибка"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "Корзина"; -/* Plan name for an expired free trial */ -"Trial ended" = "Пробный период завершён"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "Решение проблемы"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "Устранение неполадок при подключении"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "Устранение неполадок"; - /* Connect when the SSL certificate is invalid */ "Trust" = "Безопасность"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "Испытайте функцию Tap to Pay on iPhone"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "Оплатить ещё раз"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "Попробуйте оплатить %1$@ банковской картой. После завершения вы сможете вернуть средства."; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "Без лимита"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "Учётные записи администратора без ограничений"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "Товар без названия"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "Обновление продуктов..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "Приобрести платную подписку"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "Апсейл"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "Просмотреть"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "Посмотреть возможности %1$@"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "Просмотр произвольных полей"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "Смотреть полный список возможностей"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "Показать товар в магазине"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "Возникла проблема при загрузке данных аналитики"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "При подтверждении платежа возникла ошибка."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "При загрузке информации о тарифном плане возникла ошибка."; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "Мы приостановили работу вашего магазина. Вы можете приобрести другой тарифный план, войдя в WordPress.com в своём браузере."; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "Ширина"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Вау! Теперь всё готово!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "В настоящее время WooCommerce Shipping не поддерживает доставку опасных веществ с помощью %1$@."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "Мобильное приложение WooCommerce"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "Магазин WooCommerce"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "WordPress CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "Библиотека медиафайлов WordPress"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "Мобильное приложение WordPress"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "Слишком старая версия WordPress. Веб-сайт по адресу %1$@ использует WordPress %2$@. Рекомендуем обновить его до текущей версии или хотя бы до версии %3$@."; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "Вчера"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "У вас идёт %1$d-дневный бесплатный пробный период. Бесплатный пробный период закончится через %2$d дн. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "У вас нет разрешения на доступ к этому магазину."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "У вас нет права установить Jetpack"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "Вы подписаны на тарифный план %1$@! У вас есть доступ ко всем функциям до %2$@."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "Товары в комплекте можно редактировать в веб-консоли."; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Простое и быстрое управление."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "Вы можете управлять подпиской в параметрах iPhone → Ваше имя → Подписки"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "Добавить переменные подписки можно только в веб-консоли"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "Этот почтовый адрес нельзя использовать для регистрации. Некоторые из наших писем блокируются данной почтовой службой. Пожалуйста, используйте другую службу."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "Вы не можете перейти на улучшенный тарифный план, потому что не являетесь владельцем магазина"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "У вас есть купоны, отключённые для этого магазина. Для начала включите купоны."; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "Вы сможете получать очные платежи, как только мы завершим проверку вашей учётной записи."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "Идёт пробный период"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "У вас нет прав для закрытия учётной записи."; -/* No comment provided by engineer. */ -"Your Store" = "Ваш магазин"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "Уведомления WooPayments будут приходить на адрес эл. почты, указанный в вашей учётной записи WordPress.com. Хотите использовать новую учётную запись? Подробности здесь."; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Адрес эл. почты не используется с учётной записью WordPress.com"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "Ваш пробный период завершён"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "Бесплатный пробный период завершился, и теперь доступ к функциям ограничен. Подпишитесь на план Woo Express уже сейчас."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "Пробный период заканчивается через %1$@. Перейдите на платный тарифный план до %2$@, чтобы получить доступ к новым функциям и запустить продажи."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "Используйте свой iPhone для чтения карт или подключитесь к внешнему устройству чтения через Bluetooth."; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "Через мгновение ваш телефон будет готов собирать платежи..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "Покупка выполнена успешно, вы перешли на тарифный план %1$@."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "Устройство чтения автоматически перезапустится и повторно подключится после завершения обновления"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "Ваш сайт отвечает слишком долго.\n\nЧтобы решить эту проблему, обратитесь к своему хостинг-провайдеру."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "Срок действия тарифного плана для сайта истёк."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "Ваш магазин работает!"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "Действие вашей подписки завершено, и теперь вам доступны не все функции."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "Подписка активна, но при активации тарифного плана для вашего магазина возникла ошибка."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "Сейчас налоговая ставка рассчитывается на основе платёжного адреса:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "Чтобы иметь возможность принимать платежи при личном контакте с покупателем, вам потребуется установить бесплатное расширение WooCommerce Payments для вашего магазина."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "Почти готово"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8293,69 @@ 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" = "Повторить попытку"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "Имя не указано"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "Попробуйте уточнить поисковый запрос, чтобы получить больше результатов"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "Клиентов не найдено"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "Поиск клиента"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "Этот пользователь — гость, а гостевой статус не позволяет фильтровать бронирования."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "Клиент"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "Дата"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "Из"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "Время"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "Дата и время"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "В"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "Показать бронирования"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "Клиент"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "Статус участия"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "Дата и время"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "Статус платежа"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "Сервис\/событие"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "Участник команды"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "Любой"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "С %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "До %1$@"; + /* Message displayed when searching bookings by keyword yields no results. */ "bookingList.emptySearchText" = "Не удалось найти бронирования под этим названием. Уточните поисковый запрос, чтобы увидеть другие результаты."; @@ -8650,6 +8392,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "Фильтр"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "Фильтр (%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "Поиск бронирований"; @@ -8665,6 +8410,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "Бронирование"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "Сервис или событие не найдены"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "Сервис\/событие"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "Отменён"; @@ -8686,6 +8437,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Не оплачено"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "Участников команды не найдено"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "Участник команды"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "Гость"; @@ -9690,6 +9447,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "Наземное отправление, ограниченное количество: аэрозоли, дезинфицирующие спреи, аэрозольная краска, спреи для волос, пропан, бутан, чистящие средства и т. д. - Духи, лак для ногтей, жидкость для снятия лака для ногтей, растворители, антисептики для рук, медицинский спирт, продукты на основе этанола и т. д. - Другие поверхностные вещества в ограниченном количестве (косметика, бытовая химия, краски и т. д.)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "Любой"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "При помощи Blaze демонстрируйте ваши товары миллионам потенциальных покупателей и повышайте продажи"; @@ -9875,6 +9635,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "В этот период купоны не применялись"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "Любой"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "Любой"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "Поиск"; @@ -10323,9 +10089,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "Редактировать"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "действие тарифного плана закончилось"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "Закрыть"; @@ -11045,9 +10808,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "Пробный период"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "Готово"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Понятно"; diff --git a/WooCommerce/Resources/sv.lproj/Localizable.strings b/WooCommerce/Resources/sv.lproj/Localizable.strings index 24683a09c9e..6152ea68b27 100644 --- a/WooCommerce/Resources/sv.lproj/Localizable.strings +++ b/WooCommerce/Resources/sv.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-22 13:54:04+0000 */ +/* Translation-Revision-Date: 2025-11-04 14:39:42+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: sv_SE */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d har slutförts"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld dag"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld variation"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld variationer"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld dagar"; - /* 1 Item */ "%@ Item" = "%@ vara"; /* For example, '5 Items' */ "%@ Items" = "%@ varor"; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@ har avslutats"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "%@ etikettåterbetalning begärd"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1 objekt har valts"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. Tillgänglig som standard i WooCommerce Payments (begränsningar gäller). Ytterligare utökningar kan vara obligatoriska för andra betalningsleverantörer."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. Endast tillgängligt i USA – en ytterligare utökning kommer vara obligatoriskt för andra länder."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. När anslutningen är klar kommer du att loggas in i din butik."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4-6 minuter"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Det finns redan en WooCommerce-appbutiksprenumeration med ditt Apple-ID"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "Ett WordPress.com-konto är kopplat till dina butiksautentiseringsuppgifter. Vi kommer att skicka en verifieringslänk till e-postadressen ovan. Klicka på den för att fortsätta."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "LÄGG TILL ALTERNATIV"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "Återställning av övergiven varukorg"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "Om appen"; -/* No comment provided by engineer. */ -"Accept local payments'" = "Ta emot lokala betalningar'"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "Godkänn användarvillkoren under konfigurationen."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "Aktiv"; -/* No comment provided by engineer. */ -"Ad-free experience" = "Annonsfri upplevelse"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "Måste signeras av en vuxen (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "Avancerade SEO-verktyg"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "Avancerat verktyg för att granska appens status"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Annonsera på Google"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "Luftkvalificerat etanolpaket – (godkända försändelser av parfymer och handsprit)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Belopp berättigat för återbetalning"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "Ett Apple-ID kan endast användas för att uppgradera en butik"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "Svaret var en HTTP-felkod %i."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "Analys har aktiverats."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "Årligen (spara 35 %)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "Autentisering krävs för server: %@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "Automatisk säkerhetskopiering + snabb återställning"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "Automatiserad försäljningsmoms"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "Automatiskt tillägg av momssats"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "Tillbaka"; -/* No comment provided by engineer. */ -"Back in stock emails" = "E-postmeddelanden om ”Tillbaka i lager”"; - /* Accessibility announcement message when device goes back online */ "Back online" = "Tillbaka online"; @@ -844,6 +793,18 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "Fet"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "Bokad"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "Avbruten"; + +/* Title for 'Checked In' booking attendance status. */ +"BookingAttendanceStatus.checkedIn" = "Incheckad"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "Okänd"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "Tilldelad personal"; @@ -871,6 +832,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "Deltagande"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "Kan inte ändra närvarostatus för bokning #%1$d"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "Lägg till en anteckning"; @@ -952,14 +916,8 @@ which should be translated separately and considered part of this sentence. */ /* 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"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "Betald"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "Betala på plats"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "Försök igen"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "Förbättra försäljningen med specialerbjudanden"; @@ -1131,10 +1089,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "Avbryt installation"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "Avbryt uppgradering"; - /* Display label for the subscription status type */ "Cancelled" = "Avbruten"; @@ -1493,9 +1447,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "Anslut till läsare"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "Anslut med Facebook"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "Anslut din kortläsare"; @@ -1785,9 +1736,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "Nuvarande priser är blandade."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "Nuvarande: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "Skapande stöds för närvarande för högst 100 variationer. Att generera variationer för den här produkten skulle skapa %d variationer."; @@ -1827,12 +1775,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "Tullformulär kräver ett tiosiffrigt telefonnummer"; -/* No comment provided by engineer. */ -"Custom order emails" = "Anpassade e-postbeställningar"; - -/* No comment provided by engineer. */ -"Custom product kits" = "Anpassade produktpaket"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1789,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "Kundnotering"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "E-postmeddelanden på kundernas födelsedag"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "Kunden betalade en %1$@ på %2$@ för frakt"; @@ -1967,9 +1906,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "Rabatterade avgifter"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "Rabatterad frakt²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "Rabatter ej tillgängliga"; @@ -2044,9 +1980,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "Har du inget konto? _Registrera dig_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "Förlora inte allt ditt hårda arbete. Uppgradera till ett betalpaket för att fortsätta arbeta med din butik. Lås upp fler funktioner, lansera, börja sälja och gör din e-handelsverksamhet till verklighet."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "Visa inte igen"; @@ -2063,7 +1996,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2153,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "Skicka kvitto via e-post"; -/* No comment provided by engineer. */ -"Email support" = "E‑postsupport"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "E-posta inköpskvitton till %1$@ (%2$@) på %3$@"; @@ -2410,9 +2339,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "Det gick inte att aktivera Jetpack"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "Fel vid aktivering av paket"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "Det gick inte att auktorisera anslutningen till Jetpack"; @@ -2422,18 +2348,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "Fel vid kontroll av Jetpack-anslutningen på din webbplats"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "Felkod %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "Felkod %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "Fel vid betalning"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "Fel vid köp"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "Det gick inte att aktivera analys. Försök igen."; @@ -2483,9 +2400,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "Alla gillar ett erbjudande"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Allt i Essential, plus:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "Exempel: krukväxt, kaktus, växt, dekorativ, lättskött"; @@ -2540,9 +2454,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "Expanderad"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "Upplev fler av våra funktioner och tjänster utöver de som finns i appen"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "Experimentella funktioner"; @@ -2694,9 +2605,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "Vidarebefodra"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "Gratis SSL-certifikat"; - /* Plan name for an active free trial */ "Free Trial" = "Gratis provperiod"; @@ -2712,9 +2620,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "Fullfölj dina beställningar med WooCommerce Shipping"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "Fullständig funktionslista"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "Medlen blir tillgängliga efter att ha inväntat granskning i %1$d dagar."; @@ -2748,9 +2653,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "Gräns för generering överskriden"; -/* No comment provided by engineer. */ -"Generous storage" = "Generöst lagringsutrymme"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "Kom igång"; @@ -2779,13 +2681,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "Kom igång på några minuter"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "Skaffa support"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "Få ut det mesta möjliga av %1$@"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "Få ut så mycket som möjligt av din butik"; @@ -2813,9 +2711,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "Presentkortskod"; -/* No comment provided by engineer. */ -"Gift cards" = "Presentkort"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2732,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "Gå till butik"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Registrering via Google misslyckades."; @@ -3023,9 +2915,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "Du kan hitta e-postadressen som du använde för att ansluta till WordPress.com i Jetpack-instrumentpanelen under Anslutningar > Kontoanslutning"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "Köp i appen stöds inte"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "Personlig betalning för beställning #%1$@ för %2$@ blog_id %3$@"; @@ -3119,12 +3008,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "Försäkring (upp till %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "Integrerade betalningar"; - -/* No comment provided by engineer. */ -"International payments'" = "Internationella betalningar'"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "Internetanslutning"; @@ -3402,18 +3285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "Lista med bilder på produkten"; -/* No comment provided by engineer. */ -"List products by brand" = "Lista produkter efter varumärke"; - -/* No comment provided by engineer. */ -"List unlimited products" = "Lista obegränsat antal produkter"; - -/* No comment provided by engineer. */ -"Live chat support" = "Support via livechatt"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "Live-fraktavgifter"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "Laddar in"; @@ -3426,9 +3297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "Laddar in innehåll"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "Laddar in paketdetaljer"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "Laddar in produktvarianter"; @@ -3517,9 +3385,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "Glömt ditt lösenord?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "Program för lojalitetspoäng"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Skapad med kärlek av Automattic Vi letar efter medarbetare!<\/a>"; @@ -3546,9 +3411,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "Hantera integritet"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "Hantera din prenumeration"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "Hantera och redigera beställningar i farten "; @@ -3564,9 +3426,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "Hantera lager"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "Hantera din prenumeration"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "Manuell återbetalning"; @@ -3595,12 +3454,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "Markera denna beställning som slutförd och avisera kunden"; -/* No comment provided by engineer. */ -"Marketing & Email" = "Marknadsföring och e-post"; - -/* No comment provided by engineer. */ -"Marketing automation" = "Automatiserad marknadsföring"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "Max. beställningsbelopp (%1$@)"; @@ -3652,9 +3505,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "Min. beställningsbelopp (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "Minsta\/största beställningskvantitet"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "Minsta kvantitet"; @@ -3673,9 +3523,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "Månad till datum"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "Månadsvis"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "Mer"; @@ -3867,9 +3714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "Ingen beställning vald"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "Ingen betalning har dragits"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "Inget pris angivet"; @@ -4320,9 +4164,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "Prestanda"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "Endast Performance-paketet"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "Avsluta kontot permanent"; @@ -4351,9 +4192,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "Placerar din produkt i papperskorgen …"; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "Ha tålamod med oss medan vi behandlar betalningen för ditt %1$@-paket."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Ladda läsare"; @@ -4363,16 +4201,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "Anslut din butik till Jetpack för att komma åt den på denna app."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "Kontakta supporten för hjälp."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Kontakta webbplatsens ägare för en inbjudan till webbplatsen som butikschef eller administratör för att använda appen."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "Kontakta butiksägaren för att uppgradera ditt paket."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "Kontakta din butikshanterare eller -administratör för att få hjälp."; @@ -4469,9 +4300,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Försök igen eller kontakta oss så hjälper vi dig gärna!"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "Försök igen eller kontakta support för hjälp"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "Försök igen."; @@ -4536,8 +4364,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Tillägg"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "Populära"; /* Text field postcode in Edit Address Form @@ -4556,9 +4383,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "Drivs av Automattic"; -/* No comment provided by engineer. */ -"Premium themes included" = "Premiumteman inkluderade"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "Förbereder Tryck för att betala på iPhone"; @@ -4639,9 +4463,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "Skriv ut kvitto"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "Skriv ut fraktetiketter²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "Skriva ut etikett"; @@ -4687,9 +4508,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "Produktutökningar"; -/* No comment provided by engineer. */ -"Product Bundles" = "Produktpaket"; - /* Row title for filtering products by product category. */ "Product Category" = "Produktkategori"; @@ -4724,9 +4542,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "Produkt publicerad"; -/* No comment provided by engineer. */ -"Product recommendations" = "Produktrekommendationer"; - /* Title of the alert when a user is saving a product */ "Product saved" = "Produkt sparad"; @@ -4780,9 +4595,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "Produkter som marknadsförs istället för den för närvarande visade produkten (dvs. mer lönsamma produkter)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "Marknadsför på TikTok"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Marknadsför produkter med Blaze"; @@ -4807,9 +4619,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "Publicerar din produkt ..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "Köp %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "Inköpsdatum"; @@ -4889,12 +4698,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "Kvitto"; -/* No comment provided by engineer. */ -"Recurring payments'" = "Återkommande betalningar'"; - -/* No comment provided by engineer. */ -"Referral programs" = "Hänvisningsprogram"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4845,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "Rapportera krascher"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "Rapportera prenumerationsproblem"; - /* Title of the report section on the privacy screen */ "Reports" = "Rapporter"; @@ -5101,12 +4901,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "Försök igen"; /* 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. @@ -5119,9 +4917,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "Försök ansluta igen"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "Tillbaka till min butik"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "Returnera till avsändare om paketet inte kan levereras"; @@ -5178,9 +4973,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "Reapris: %@"; -/* No comment provided by engineer. */ -"Sales reports" = "Försäljningsrapporter"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "Prov"; @@ -5295,9 +5087,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "Se alternativen för layout och pappersstorlek"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "Se paketdetaljer"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "Välj %1$d kategorier"; @@ -5332,9 +5121,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "Välj ett paket"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "Välj ett paket"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "Välj en produkttyp"; @@ -5502,9 +5288,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "Försändelseinformation"; -/* No comment provided by engineer. */ -"Shipment tracking" = "Fraktspårning"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "Skickad %@"; @@ -5652,9 +5435,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Någon"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "Något gick fel vid ditt köp och vi kan inte se om din betalning har slutförts eller om ditt butikspaket har uppgraderats."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "Något gick fel när din rabattkod skulle valideras. Försök igen"; @@ -5794,9 +5574,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "Automatiskt tillägg av momssats stoppades"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "Lagring"; - /* Navigates to the Store name setup screen */ "Store Name" = "Butiksnamn"; @@ -5818,12 +5595,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "Skicka supportförfrågan"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "Prenumerationsstatus"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "Prenumerationer"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5642,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "Växlar till teckensnitt med standardstorlek"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Synkronisera med Pinterest"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "Synkroniserar data"; @@ -6259,9 +6028,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "Det gick inte att ansluta din webbplats till Jetpack."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "Det uppstod ett fel vid hämtningen av din paketinformation. Försök igen senare."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "Det uppstod ett fel vid hämtningen av dina integritetsinställningar"; @@ -6506,18 +6272,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "Ta bort"; -/* Plan name for an expired free trial */ -"Trial ended" = "Provperioden har avslutats"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "Felsök"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "Felsök anslutning"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "Felsökning"; - /* Connect when the SSL certificate is invalid */ "Trust" = "Lita på"; @@ -6549,9 +6309,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "Prova Tryck för att betala på iPhone"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "Försök att genomföra betalningen igen"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "Prova att göra en betalning på %1$@ med ditt betal- eller kreditkort. Du kan återbetala beloppet när du är klar."; @@ -6783,9 +6540,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "Obegränsad"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "Obegränsat antal administratörskonton"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "Namnlös produkt"; @@ -6887,9 +6641,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "Uppdaterar dina produkter …"; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "Uppgradera"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "Merförsäljning"; @@ -7001,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "Visa"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "Visa %1$@-funktioner"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6768,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "Visa anpassade fält"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "Visa fullständig funktionslista"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "Visa produkt i butik"; @@ -7148,12 +6893,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "Ett problem uppstod när analysen skulle laddas"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "Det uppstod ett fel vid bekräftelsen av din betalning."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "Det uppstod ett fel vid laddningen av paketinformationen"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "Vi har pausat din butik. Du kan köpa ett annat paket genom att logga in på WordPress.com i din webbläsare."; @@ -7293,9 +7032,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "Bredd"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Woo. Du har kommit igång bra."; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7059,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "WooCommerce Shipping stöder för närvarande inte transporter av farligt material via %1$@."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "WooCommerce mobilapp"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "WooCommerce-butik"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "WordPress CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "WordPress mediabibliotek"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "WordPress mobilapp"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "WordPress-versionen är för gammal. Webbplatsen %1$@ använder WordPress %2$@. Vi rekommenderar att du uppdaterar till den senaste versionen, dock allra minst %3$@."; @@ -7383,18 +7107,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "Igår"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "Du har en kostnadsfri provperiod på %1$d dagar. Din kostnadsfria provperiod löper ut om %2$d dagar. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "Du har inte behörighet att komma åt denna butik."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "Du har inte behörighet att installera Jetpack"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "Du prenumererar på %1$@-paketet. Du har åtkomst till alla våra funktioner fram till %2$@."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "Du kan redigera paketprodukter i webbadminpanelen."; @@ -7410,9 +7128,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Du kan hantera snabbt och enkelt."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "Du kan hantera din prenumeration via dina iPhone-inställningar → Ditt namn → Prenumerationer"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "Du kan endast lägga till variabla prenumerationer i webbadminpanelen"; @@ -7428,9 +7143,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "Du kan inte använda den e-postadressen för att skapa ett konto. Vi har problem med att den e-posttjänsten ibland blockerar vår e-post. Vänligen använd en annan e-posttjänst."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "Du kan inte uppgradera eftersom du inte är butiksägare"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "Du har för närvarande rabattkoder inaktiverade för denna butik. Aktivera rabattkoder för att komma igång."; @@ -7462,15 +7174,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "Du kommer att kunna ta emot personliga betalningar så snart vi har slutfört granskningen av ditt konto."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "Du är i en gratis provperiod"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "Du har inte behörighet att stänga kontot."; -/* No comment provided by engineer. */ -"Your Store" = "Din butik"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "Dina WooCommerce-aviseringar kommer att skickas till e-postadressen som är kopplad till ditt WordPress.com-konto. Föredrar du att använda ett nytt konto? Mer information finns här."; @@ -7486,15 +7192,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Din e-post används inte med ett WordPress.com-konto"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "Din gratis provperiod har upphört"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "Din gratis provperiod har avslutats och du har begränsad åtkomst till alla funktioner. Prenumerera på ett Woo Express-paket nu."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "Din gratis provperiod kommer sluta om %1$@. Uppgradera till ett paket före %2$@ för att låsa upp nya funktioner och börja sälja."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "Din iPhone kan användas som kortläsare, eller så kan du ansluta till en extern läsare via bluetooth."; @@ -7513,9 +7210,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "Du kommer snart att kunna ta emot betalningar med din telefon ..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "Ditt köp har slutförts och du har nu %1$@-paketet."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "Din läsare kommer att startas om automatiskt och sedan återansluta när uppdateringen är klar"; @@ -7534,18 +7228,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "Det tar för lång tid för din webbplats att svara.\n\nKontakta ditt webbhotell för att få ytterligare hjälp."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "Ditt webbplatspaket är slut."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "Din butik är live."; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "Din prenumeration har avslutats och du har begränsad åtkomst till alla funktionerna."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "Din prenumeration är aktiv, med det uppstod ett fel när paketet skulle aktiveras för din butik."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "Din momssats beräknas för närvarande baserat på kundens faktureringsadress:"; @@ -7564,9 +7249,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "Du måste installera den kostnadsfria utökningen WooCommerce Payments för din butik för att ta emot personliga betalningar."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "Du är nästan där"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8296,69 @@ 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"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "Inget namn"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "Prova att justera din sökterm för att se fler resultat"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "Ingen kund hittades"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "Sök kund"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "Det här är en gästanvändare, och gäster kan inte användas för att filtrera beställningar."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "Kund"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "Datum"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "Från"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "Tid"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "Datum och tid"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "Till"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "Visa bokningar"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "Kund"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "Närvarostatus"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "Datum och tid"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "Betalningsstatus"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "Tjänst\/evenemang"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "Lägg till en teammedlem"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "Alla"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "Från %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "Till %1$@"; + /* Message displayed when searching bookings by keyword yields no results. */ "bookingList.emptySearchText" = "Vi kunde inte hitta några bokningar med det namnet — prova att justera din sökterm för att se fler resultat."; @@ -8650,6 +8395,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "Filtrera"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "Filter för %1$d"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "Sök bokningar"; @@ -8665,6 +8413,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "Bokningar"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "Ingen tjänst eller händelse hittades"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "Tjänst\/evenemang"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "Avslutat"; @@ -8686,6 +8440,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Obetald"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "Inga teammedlemmar hittades"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "Lägg till en teammedlem"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "Gäst"; @@ -9690,6 +9450,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "LTD QTY-markpaket – Aerosoler, spraydesinfektionsmedel, sprayfärg, hårspray, propan, butan, rengöringsprodukter, osv. - Parfymer, nagellack, nagellackborttagningsmedel, lösningsmedel, handsprit, tvättsprit, etanolbaserade produkter, osv. - Andra ytmaterial i begränsad mängd (kosmetika, rengöringsprodukter, färger, osv.)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "Alla"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "Visa upp dina produkter för miljontals människor med Blaze och öka din försäljning"; @@ -9875,6 +9638,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "Ingen användning av rabattkoder under denna period"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "Alla"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "Alla"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "Sök"; @@ -10323,9 +10092,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "Redigera"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "paketet har avslutats"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "Stäng"; @@ -10771,7 +10537,7 @@ which should be translated separately and considered part of this sentence. */ "reviewsDashboardCardViewModel.filterHold" = "Håll"; /* Description for the Sales channel filter option, when selecting 'Any' order */ -"salesChannelFilter.row.any.description" = "Vilken som helst"; +"salesChannelFilter.row.any.description" = "Alla"; /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "Försäljningsplats"; @@ -11048,9 +10814,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "Gratis provperiod"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "Klar"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Uppfattat"; diff --git a/WooCommerce/Resources/tr.lproj/Localizable.strings b/WooCommerce/Resources/tr.lproj/Localizable.strings index 3a49156b322..91e053b3616 100644 --- a/WooCommerce/Resources/tr.lproj/Localizable.strings +++ b/WooCommerce/Resources/tr.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-22 13:54:04+0000 */ +/* Translation-Revision-Date: 2025-11-03 13:54:21+0000 */ /* Plural-Forms: nplurals=2; plural=(n > 1); */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: tr */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d tamamlandı"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld gün"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld varyasyon"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld varyasyon"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld gün"; - /* 1 Item */ "%@ Item" = "%@ Ürün"; /* For example, '5 Items' */ "%@ Items" = "%@ Ürün"; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@ sona erdi"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "%@ etiket geri ödemesi istendi"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "1 öğe seçildi"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. WooCommerce Payments kapsamında standart olarak sunulur (kısıtlamalar uygulanır). Diğer ödeme sağlayıcıları için ek uzantılar gerekebilir."; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. Yalnızca ABD'de kullanıma sunulmuştur. Diğer ülkeler için ek bir uzantı gerekecektir."; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. Bağlantı tamamlandığında mağazanızda oturumunuz açılır."; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4-6 dakika"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "Apple Kimliğinizle bir WooCommerce uygulaması mağaza aboneliği zaten mevcut"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "Bir WordPress.com hesabı mağaza kimlik bilgilerinize bağlandı. Devam etmek için yukarıdaki e-posta adresine bir doğrulama bağlantısı göndereceğiz."; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "SEÇENEK EKLE"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "Terk edilmiş sepeti kurtarma"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "Uygulama hakkında"; -/* No comment provided by engineer. */ -"Accept local payments'" = "Yerel ödemeleri kabul edin"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "Kurulum sırasında Hizmet Koşullarını kabul edin."; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "Etkin"; -/* No comment provided by engineer. */ -"Ad-free experience" = "Reklamsız deneyim"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "Yetişkin imzası gerekli (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "Gelişmiş SEO araçları"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "Uygulama durumunu incelemek için gelişmiş araç"; -/* No comment provided by engineer. */ -"Advertise on Google" = "Google'da reklam verin"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "Hava Yoluna Uygun Etanol Paketi - (onaylı parfüm ve el dezenfektanı gönderileri)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Geri Ödenebilecek Tutar"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "Bir Apple Kimliği, yalnızca bir mağazayı yükseltmek için kullanılabilir"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "%i HTTP hata kodu döndürüldü."; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "Analytics başarıyla etkinleştirildi."; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "Yıllık (%35 tasarruf edin)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "Şu adres için doğrulama gerekli: %@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "Otomatik yedekleme + hızlı geri yükleme"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "Otomatikleştirilmiş satış vergileri"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "Vergi oranını otomatik olarak ekleme"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "Geri"; -/* No comment provided by engineer. */ -"Back in stock emails" = "Tekrar stokta e-postaları"; - /* Accessibility announcement message when device goes back online */ "Back online" = "Yeniden çevrimiçi"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "Kalın"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "Rezerve Etti"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "İptal Etti"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "Bilinmiyor"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "Atanan personel"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "Katılım"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "%1$d Numaralı Rezervasyonun katılım durumu değiştirilemiyor"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "Not ekle"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* Notice message shown when a phone call cannot be initiated. */ "BookingDetailsView.phoneNumberOptions.error" = "Bu numaraya bir arama yapılamadı."; -/* Title for the 'Booked' status label in the header view. */ -"BookingDetailsView.statusLabel.booked" = "Rezerve Edildi"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "Ödendi"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "Konumda öde"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "Tekrar dene"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "Özel tekliflerle satışları artırın"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "Kurulumu İptal Edin"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "Yükseltmeyi İptal Et"; - /* Display label for the subscription status type */ "Cancelled" = "İptal Edildi"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "Okuyucuya Bağlan"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "Facebook ile bağlan"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "Kart okuyucunuzu bağlayın"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "Geçerli fiyatlar karışık."; -/* Reads like: Current: Free Trial */ -"Current: %@" = "Şu anda: %@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "Şu anda oluşturma en fazla 100 varyasyon için desteklenmektedir. Bu ürün için varyasyon oluşturmak %d varyasyon oluşturur."; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "Gümrük formları 10 haneli bir telefon numarası gerektirir"; -/* No comment provided by engineer. */ -"Custom order emails" = "Özel sipariş e-postaları"; - -/* No comment provided by engineer. */ -"Custom product kits" = "Özel ürün kitleri"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "Müşterinin Verdiği Not"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "Müşteri doğum günü e-postaları"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "Müşteri gönderim için %1$@ (%2$@) ödedi"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "İndirimli fiyatlar"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "İndirimli gönderim²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "İndirimler kullanılamıyor"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "Hesabınız yok mu? _Kaydol_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "Tüm o sıkı çalışmayı kaybetmeyin! Mağazanız üzerinde çalışmaya devam etmek için ücretli bir pakete yükseltin. Daha fazla özelliğin kilidini açın, satış yapmaya başlayın ve e-ticaret işinizi gerçeğe dönüştürün."; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "Tekrar gösterme"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "Makbuzu e-posta ile gönderin"; -/* No comment provided by engineer. */ -"Email support" = "E-posta desteği"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "Etiket satın alma makbuzlarını %1$@ adresine (%2$@) (%3$@) e-posta ile gönderin"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "Jetpack'i etkinleştirirken hata oluştu"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "Paket etkinleştirme hatası"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "Jetpack'e bağlantı yetkisi verilirken hata oluştu"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "Sitenizdeki Jetpack bağlantısı kontrol edilirken hata oluştu"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "Hata kodu %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "Hata kodu %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "Ödeme onaylama hatası"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "Satın alma sırasında hata"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "Analytics etkinleştirilirken hata oluştu. Lütfen tekrar deneyin."; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "Herkes iyi alışverişi sever"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "Essential'daki her şeyin yanı sıra:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "Örneğin: Saksıda yetişir, kaktüs, bitki, dekoratif, bakımı kolay"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "Genişletilmiş"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "Uygulamanın ötesindeki özelliklerimizi ve hizmetlerimizi daha fazla deneyimleyin"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "Deneysel İşlevler"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "Yönlendir"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "Ücretsiz SSL Sertifikası"; - /* Plan name for an active free trial */ "Free Trial" = "Ücretsiz Deneme Süresi"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "WooCommerce Shipping ile siparişlerinizi yerine getirin"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "Tüm Özellikler Listesi"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "Fonlar, %1$d gün beklemenin ardından kullanılabilir hale gelir."; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "Oluşturma sınırı aşıldı"; -/* No comment provided by engineer. */ -"Generous storage" = "Bol depolama alanı"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "Başlangıç"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "Dakikalar içinde başlayın"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "Destek alın"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "%1$@ paketinden en iyi şekilde yararlanın"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "Mağazanızdan en iyi şekilde yararlanın"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "Hediye kartı kodu"; -/* No comment provided by engineer. */ -"Gift cards" = "Hediye Kartları"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "Mağazaya Git"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Google oturum açma başarısız oldu."; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "Site yöneticinizde, Bağlantılar > Hesap bağlantısı bölümünde yer alan Jetpack Yönetim Panelinden WordPress.com'a bağlanmak için kullandığınız e-postayı bulabilirsiniz."; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "Uygulama İçi Satın Almalar desteklenmiyor"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "%2$@ blog_id %3$@\/%1$@ no'lu Sipariş için Şahsen Ödeme"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "Sigorta (en fazla %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "Entegre ödemeler"; - -/* No comment provided by engineer. */ -"International payments'" = "Uluslararası ödemeler"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "İnternet Bağlantısı"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "Ürüne ait görsellerin listesi"; -/* No comment provided by engineer. */ -"List products by brand" = "Ürünleri markaya göre listele"; - -/* No comment provided by engineer. */ -"List unlimited products" = "Sınırsız ürünleri listele"; - -/* No comment provided by engineer. */ -"Live chat support" = "Canlı sohbet ile destek"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "Canlı gönderim oranları"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "Yükleniyor"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "İçerik yükleniyor"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "Paket ayrıntıları yükleniyor"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "Ürün varyasyonları yükleniyor"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "Parolanızı mı unuttunuz?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "Sadakat puanı programları"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Automattic tarafından sevgiyle yapıldı. Yeni çalışma arkadaşları arıyoruz!<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "Gizliliğin Yönetilmesi"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "Aboneliğinizi Yönetin"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "Hareket halindeyken siparişleri yönetin ve düzenleyin"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "Stok yönet"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "Aboneliğinizi yönetin"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "Manuel Para İadesi"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "Bu siparişi tamamlandı olarak işaretleyin ve müşteriyi bilgilendirin"; -/* No comment provided by engineer. */ -"Marketing & Email" = "Pazarlama ve E-posta"; - -/* No comment provided by engineer. */ -"Marketing automation" = "Pazarlama otomasyonu"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "Maks. Harcama (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "Min. Harcama (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "Minimum\/Maksimum sipariş miktarı"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "Minimum miktar"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "Aydan tarihe"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "Aylık"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "Daha Fazla"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "Hiç sipariş seçilmedi"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "Ödeme alınmadı"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "Fiyat belirtilmemiş"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "Performans"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "Sadece performans paketi"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "Hesabı Kalıcı Olarak Kapat"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "Ürününüz çöp kutusuna atılıyor... "; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "%1$@ paketinizin ödemesi işleme alınırken lütfen bekleyin."; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Lütfen okuyucuyu şarj edin"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "Bu uygulamada mağazanıza erişmek için lütfen mağazanızı Jetpack'e bağlayın."; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "Yardım için lütfen destek birimine başvurun."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Uygulamayı kullanmak için mağaza yöneticisi veya yönetici olarak siteye davet için lütfen site sahibiyle iletişime geçin."; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "Paketinizi yükseltmek için lütfen mağaza sahibiyle iletişime geçin."; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "Lütfen yardım için mağaza yöneticinizle veya site yöneticisiyle iletişime geçin."; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Lütfen tekrar deneyin veya bize ulaşın, size yardımcı olmaktan memnuniyet duyarız!"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "Lütfen tekrar deneyin veya yardım için destek birimine başvurun"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "Lütfen yeniden deneyin."; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Eklentiler"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "En çok tutulan"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "Automattic tarafından desteklenmektedir"; -/* No comment provided by engineer. */ -"Premium themes included" = "Premium temalar dahildir"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "Tap to Pay on iPhone hazırlanıyor"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "Makbuz yazdır"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "Gönderim etiketleri yazdır²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "Etiket Yazdırma"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "Ürün Eklentileri"; -/* No comment provided by engineer. */ -"Product Bundles" = "Ürün Paketleri"; - /* Row title for filtering products by product category. */ "Product Category" = "Ürün Kategorisi"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "Ürün yayınlandı"; -/* No comment provided by engineer. */ -"Product recommendations" = "Ürün önerileri"; - /* Title of the alert when a user is saving a product */ "Product saved" = "Ürün kaydedildi"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "Şu anda görüntülenen ürün yerine tanıtılan ürünler (yani daha kârlı ürünler)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "TikTok'ta tanıtın"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "Ürünleri Blaze ile Tanıt"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "Ürününüz yayımlanıyor..."; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "%1$@ Satın Al"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "Satın Alma Tarihi"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "Makbuz"; -/* No comment provided by engineer. */ -"Recurring payments'" = "Tekrarlanan ödemeler"; - -/* No comment provided by engineer. */ -"Referral programs" = "Yönlendirme programları"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "Çökmeleri bildirin"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "Abonelik Sorunu Bildir"; - /* Title of the report section on the privacy screen */ "Reports" = "Raporlar"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "Tekrar"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "Bağlantıyı yeniden dene"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "Mağazama Dön"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "Paket teslim edilemezse gönderene iade et"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "İndirimli satış fiyatı: %@"; -/* No comment provided by engineer. */ -"Sales reports" = "Satış raporları"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "Örnek"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "Düzen ve kağıt boyutu seçeneklerine bakın"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "Paket ayrıntılarına bakın"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "%1$d Kategori Seç"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "Paket seç"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "Paket seç"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "Bir ürün türü seç"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "Gönderi Ayrıntıları"; -/* No comment provided by engineer. */ -"Shipment tracking" = "Gönderim takibi"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "Sevkiyat tarihi: %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Biri"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "Satın alma işleminiz sırasında bir sorun oluştu ve ödemenizin tamamlanıp tamamlanmadığını veya mağaza paketinizin yükseltilip yükseltilmediğini bilemiyoruz."; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "Kupon kodunuz doğrulanırken bir sorun oluştu. Lütfen tekrar deneyin"; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "Vergi oranını otomatik olarak ekleme durduruldu"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "Depolama"; - /* Navigates to the Store name setup screen */ "Store Name" = "Mağaza adı"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "Destek Talebi Gönder"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "Abonelik Durumu"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "Abonelikler"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "Varsayılan Yazı Tipi Boyutuna geçer"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "Pinterest ile senkronizasyon"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "Veriler senkronize ediliyor"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "Siteniz Jetpack'e bağlanırken bir hata oluştu."; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "Paket ayrıntılarınız alınırken bir hata oluştu, lütfen daha sonra tekrar deneyin."; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "Gizlilik ayarlarınız alınırken bir hata oluştu"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "Çöp Kutusu"; -/* Plan name for an expired free trial */ -"Trial ended" = "Deneme süresi sonu"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "Sorun giderme"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "Bağlantı Sorununu Giderin"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "Sorun giderme"; - /* Connect when the SSL certificate is invalid */ "Trust" = "Güven"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "Tap to Pay on iPhone'u Deneyin"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "Ödemeyi Tekrar Deneyin"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "Banka veya kredi kartınızla bir %1$@ tutarında bir ödeme yapmayı deneyin. İşiniz bittiğinde ödemeyi iade edebilirsiniz."; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "Sınırsız"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "Sınırsız sayıda yönetici hesabı"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "Adsız ürün"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "Ürünleriniz güncelleniyor..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "Yükselt"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "Yukarı satışlar"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "Görüntüle"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "%1$@ özelliklerini görüntüle"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "Özel Alanları Görüntüle"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "Tüm Özellikler Listesini Görüntüle"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "Ürünü Mağazada Görüntüleyin"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "Analytics yüklenirken bir sorunla karşılaşıldı"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "Ödemenizi onaylarken bir hatayla karşılaştık."; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "Paket bilgilerini yüklerken bir hatayla karşılaştık"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "Mağazanızı duraklattık. Tarayıcınızda WordPress.com'da oturum açarak başka bir paket satın alabilirsiniz."; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "Genişlik"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Woo! Harika bir başlangıç yaptınız!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "WooCommerce Shipping, şu anda %1$@ yoluyla Tehlikeli Madde gönderimlerini desteklemiyor."; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "WooCommerce mobil uygulaması"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "WooCommerce mağazası"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "WordPress CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "WordPress Ortam Kitaplığı"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "WordPress mobil uygulaması"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "WordPress sürümü çok eski. %1$@ WordPress %2$@ sürümünü kullanıyor. Son sürüme yükseltmenizi ya da en azından %3$@ sürümüne yükseltmenizi öneririz."; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "Dün"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "%1$d günlük ücretsiz deneme süresindesiniz. Ücretsiz deneme süresi %2$d gün sonra sona erecek. "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "Bu mağazaya erişme yetkiniz yok."; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "Jetpack'i yükleme yetkiniz yok"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "%1$@ paketine abonesiniz! %2$@ tarihine kadar tüm özelliklerimize erişebilirsiniz."; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "Paketli ürünleri web panosunda düzenleyebilirsiniz."; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Hızlı ve kolay bir şekilde yönetebilirsiniz."; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "iPhone Ayarları → Adınız → Abonelikler bölümünden aboneliğinizi yönetebilirsiniz"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "Web panosunda yalnızca değişken abonelikler ekleyebilirsiniz"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "Bu e-posta adresini kayıt olmak için kullanamazsınız. Bazı e-postalarımızın engellenmesiyle ilgili problem yaşıyoruz. Farklı bir e-posta sağlayıcısı kullanın."; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "Mağaza sahibi olmadığınız için yükseltme yapamazsınız"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "Şu anda bu mağaza için Kuponları devre dışı bıraktınız. Başlamak için kuponları etkinleştirin."; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "Hesabınızın incelenmesi biter bitirmez Şahsen Ödemeleri kabul edebileceksiniz."; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "Ücretsiz bir deneme sürümündesiniz"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "Hesabı kapatma yetkiniz yok."; -/* No comment provided by engineer. */ -"Your Store" = "Mağazanız"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "WooPayments bildirimleriniz WordPress.com hesabınızın e-posta adresine gönderilecektir. Yeni bir hesabı mı tercih edersiniz? Daha fazla ayrıntıyı burada bulabilirsiniz."; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "E-postanız bir WordPress.com hesabıyla kullanılmaz"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "Ücretsiz deneme süreniz sona erdi"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "Ücretsiz deneme süreniz sona erdi ve tüm özelliklere erişiminiz sınırlandırıldı. Woo Express Paketine şimdi abone olun."; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "Ücretsiz deneme sürümünüz %1$@ içinde sona erecek. Yeni özelliklerin kilidini açmak ve satış yapmaya başlamak için, %2$@ oranında bir pakete yükseltin."; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "iPhone'unuz kart okuyucu olarak kullanılabilir veya Bluetooth üzerinden harici bir okuyucuya bağlanabilirsiniz."; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "Telefonunuz ödemeleri almak için birazdan hazır olacaktır..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "Satın alma işleminiz tamamlandı ve %1$@ paketini kullanıyorsunuz."; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "Güncelleme tamamlandıktan sonra okuyucunuz otomatik olarak yeniden başlayacak ve yeniden bağlanacaktır"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "Sitenizin yanıt vermesi uzun sürüyor.\n\nDaha fazla yardım almak için lütfen barındırma sağlayıcınızla iletişime geçin."; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "Site planınız sona erdi."; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "Mağazanız yayında!"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "Aboneliğiniz sona erdi ve tüm özelliklere erişiminiz sınırlandırıldı."; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "Aboneliğiniz etkin durumda, ancak mağazanızda paketi etkinleştirirken bir hata oluştu."; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "Vergi oranınız, şu anda müşterinin fatura adresine dayalı olarak hesaplanıyor:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "Şahsen Ödemeleri kabul etmek için mağazanıza ücretsiz WooCommerce Payments uzantısını yüklemeniz gerekir."; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "Çok az kaldı"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8611,6 +8290,69 @@ 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" = "Yeniden Dene"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "Ad yok"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "Daha fazla sonuç görmek için arama teriminizi düzenlemeyi deneyin"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "Müşteri bulunamadı"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "Müşterileri ara"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "Bu kullanıcı bir misafir, misafirler rezervasyonları filtrelerken kullanılamaz."; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "Müşteri"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "Tarih"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "Başlangıç"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "Zaman"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "Tarih ve zaman"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "Bitiş"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "Rezervasyonları göster"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "Müşteri"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "Katılım Durumu"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "Tarih ve zaman"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "Ödeme Durumu"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "Hizmet\/Etkinlik"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "Ekip Üyesi"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "Herhangi biri"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "%1$@ tarihinden"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "%1$@ tarihine kadar"; + /* Message displayed when searching bookings by keyword yields no results. */ "bookingList.emptySearchText" = "Bu ada sahip herhangi bir rezervasyon bulamadık; daha fazla sonuç görmek için arama terimlerinizi düzenlemeyi deneyin."; @@ -8647,6 +8389,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "Filtrele"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "Filtre (%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "Rezervasyon arayın"; @@ -8662,6 +8407,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "Rezervasyonlar"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "Hizmet veya etkinlik bulunamadı"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "Hizmet\/Etkinlik"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "İptal edildi"; @@ -8683,6 +8434,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Ödenmemiş"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "Ekip üyesi bulunamadı"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "Ekip üyesi"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "Misafir"; @@ -9687,6 +9444,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "SINIRLI MİKTARDA Kara Paketi - Aerosoller, sprey dezenfektanlar, sprey boya, saç spreyi, propan, bütan, temizlik ürünleri vb. - Parfümler, oje, oje çıkarıcı, çözücüler, el dezenfektanı, ispirto, etanol bazlı ürünler vb. - Diğer sınırlı miktardaki yüzey malzemeleri (kozmetikler, temizlik ürünleri, boyalar vb.)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "Herhangi biri"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "Blaze sayesinde ürünlerinizin milyonlarca kişi tarafından görülmesini sağlayın ve satışlarınızı artırın"; @@ -9872,6 +9632,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "Bu dönemde kupon kullanımı yok"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "Herhangi biri"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "Herhangi biri"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "Arayın"; @@ -10320,9 +10086,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "Düzenle"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "paket sona erdi"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "Kapat"; @@ -11045,9 +10808,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "Ücretsiz deneme sürümü"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "Tamamlandı"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Anladım"; diff --git a/WooCommerce/Resources/zh-Hans.lproj/Localizable.strings b/WooCommerce/Resources/zh-Hans.lproj/Localizable.strings index 3e82eb29653..d70cf27c29b 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-21 11:54:04+0000 */ +/* Translation-Revision-Date: 2025-11-04 11:54:04+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: zh_CN */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "%1$d\/%2$d 已完成"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld 天"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld 个变体"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld 个变体"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld 天"; - /* 1 Item */ "%@ Item" = "%@ 个项目"; /* For example, '5 Items' */ "%@ Items" = "%@ 个项目"; -/* Reads like: eCommerce ended */ -"%@ ended" = "%@ 已结束"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "已申请 %@ 标签退款"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "已选择 1 项"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. 作为 WooCommerce Payments 的标配提供(存在限制条件)。对于其他付款提供商,可能需要额外的扩展程序。"; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. 仅适用于美国 – 对于其他国家\/地区,需要额外的扩展程序。"; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. 完成连接后,您将登录到自己的商店。"; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4-6 分钟"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "已存在使用您的 Apple ID 的 WooCommerce 应用商店订阅"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "WordPress.com 账户已关联您的商店凭据。 要继续,我们将向上述电子邮件地址发送一个验证链接。"; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "添加选项"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "已放弃购物车恢复"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "关于该应用程序"; -/* No comment provided by engineer. */ -"Accept local payments'" = "接受本地付款'"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "在设置期间接受服务条款。"; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "激活"; -/* No comment provided by engineer. */ -"Ad-free experience" = "无广告体验"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "必需由成年人签收 (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "高级搜索引擎优化工具"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "用于查看应用程序状态的高级工具"; -/* No comment provided by engineer. */ -"Advertise on Google" = "在 Google 上投放广告"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "符合空气条件的乙醇包装 —(获授权的芳香剂及洗手液装运)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "符合退款条件的金额"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "一个 Apple ID 仅能用于升级一个商店"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "返回了 HTTP 错误代码 %i。"; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "已成功启用分析。"; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "每年 (节省 35%)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "需要对主机进行验证:%@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "自动备份 + 快速还原"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "自动应用销售税"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "自动添加税率"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "返回"; -/* No comment provided by engineer. */ -"Back in stock emails" = "返回库存电子邮件"; - /* Accessibility announcement message when device goes back online */ "Back online" = "恢复正常"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "粗体"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "已预订"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "已取消"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "未知"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "已指派的工作人员"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "出席情况"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "无法更改预订 #%1$d 的出勤状态"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "添加说明"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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" = "已预订"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "已付款"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "现场付款"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "重试"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "使用特别优惠来提高销售额"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "取消安装"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "取消升级"; - /* Display label for the subscription status type */ "Cancelled" = "已取消"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "连接读卡器"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "连接 Facebook"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "连接您的读卡器"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "当前价格参差不齐。"; -/* Reads like: Current: Free Trial */ -"Current: %@" = "当前:%@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "目前最多支持创建 100 个变体。 为此产品生成变体会创建 %d 个变体。"; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "自定义表单需要 10 位的电话号码"; -/* No comment provided by engineer. */ -"Custom order emails" = "自定义订单电子邮件"; - -/* No comment provided by engineer. */ -"Custom product kits" = "自定义产品套件"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "客户提供的备注"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "客户生日电子邮件"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "客户支付了 %1$@ of %2$@,用于配送"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "折扣率"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "折扣配送²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "折扣不可用"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "还没有帐户?_注册_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "不要让所有辛苦的工作付之东流! 升级至付费套餐,以便继续打造您的商店。 解锁更多功能、发布并开始销售,以及落实开展电子商务业务。"; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "不再显示"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "电子邮件收据"; -/* No comment provided by engineer. */ -"Email support" = "电子邮件支持"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "将标签购买收据通过电子邮件发送到 %1$@ (%2$@),地址为%3$@"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "启用 Jetpack 时发生错误"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "激活套餐时出现错误"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "授权连接 Jetpack 时发生错误"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "检查站点上的 Jetpack 连接时发生错误"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "错误代码 %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "错误代码 %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "确认付款时出现错误"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "购买时出现错误"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "启用分析时出现错误。 请重试。"; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "每个人都喜欢优惠"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "所有基本功能,加上:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "示例:盆栽、仙人掌、植物、装饰、易打理"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "已展开"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "在应用程序之外体验我们的更多功能和服务"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "实验功能"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "转发"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "免费 SSL 证书"; - /* Plan name for an active free trial */ "Free Trial" = "免费试用版"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "使用 WooCommerce Shipping 履行您的订单"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "完整功能列表"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "资金将在等待 %1$d 天后到账。"; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "超出了生成限制"; -/* No comment provided by engineer. */ -"Generous storage" = "海量存储空间"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "开始"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "只需几分钟便可上手"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "获取支持"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "充分利用 %1$@"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "实现商店利益最大化"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "礼品卡代码"; -/* No comment provided by engineer. */ -"Gift cards" = "礼品卡"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "前往商店"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics(分析)"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Google 注册失败。"; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "进行站点管理时,您可以在 Jetpack 控制面板中找到用于连接 WordPress.com 的电子邮件,具体位于“连接”>“帐户连接”下"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "不支持应用内购买"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "为 %2$@ blog_id %3$@ 的 #%1$@ 订单面对面付款"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "保险(最多 %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "集成付款"; - -/* No comment provided by engineer. */ -"International payments'" = "国际付款'"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "互联网连接"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "产品图片列表"; -/* No comment provided by engineer. */ -"List products by brand" = "按品牌列出产品"; - -/* No comment provided by engineer. */ -"List unlimited products" = "列出不受限的产品"; - -/* No comment provided by engineer. */ -"Live chat support" = "实时聊天支持"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "实时运费"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "正在加载"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "正在加载内容"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "加载套餐详细信息"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "正在加载商品变量"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "忘记密码?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "忠诚度积分计划"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "Automattic 用爱心打造。我们正在招贤纳士!<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "管理隐私"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "管理您的订阅"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "随时随地管理和编辑订单"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "管理库存"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "管理您的订阅"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "手动退款"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "将订单标注为已完成并通知客户"; -/* No comment provided by engineer. */ -"Marketing & Email" = "市场营销和电子邮件"; - -/* No comment provided by engineer. */ -"Marketing automation" = "市场营销自动化"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "最高 消费 (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "最低 消费 (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "最小\/最大订单数量"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "最小数量"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "月初至今"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "每月"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "更多"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "没有选择任何订单"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "尚未付款"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "未设置价格"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "性能"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "仅限性能套餐"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "永久关闭账户"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "将产品放入回收站..."; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "在我们处理您的 %1$@ 套餐付款的过程中,请耐心等待。"; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "请为读卡器充电"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "请将您的商店连接到 Jetpack,以便在此应用程序上访问商店。"; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "请联系支持人员以获取帮助。"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "请联系站点所有者,以商店经理或管理员的身份邀请站点使用该应用程序。"; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "请联系商店所有者,升级套餐。"; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "请联系您的商店经理或管理员寻求帮助。"; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "请重试或与我们联系,我们很乐意为您提供帮助!"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "请重试或联系支持人员寻求帮助"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "请重试。"; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "插件"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "热门"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "由 Automattic 提供支持"; -/* No comment provided by engineer. */ -"Premium themes included" = "包括高级套餐主题"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "正在准备 iPhone 上的“点按付款”功能"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "打印收据"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "打印配送标签²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "打印标签"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "产品插件"; -/* No comment provided by engineer. */ -"Product Bundles" = "产品捆绑"; - /* Row title for filtering products by product category. */ "Product Category" = "产品分类"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "产品已发布"; -/* No comment provided by engineer. */ -"Product recommendations" = "产品推荐"; - /* Title of the alert when a user is saving a product */ "Product saved" = "产品已保存"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "促销产品而非当前浏览的产品(即利润更高的产品)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "在 TikTok 上推广"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "通过 Blaze 推广产品"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "正在发布您的产品…"; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "购买 %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "购买日期"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "收据"; -/* No comment provided by engineer. */ -"Recurring payments'" = "定期付款'"; - -/* No comment provided by engineer. */ -"Referral programs" = "推荐计划"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "报告崩溃问题"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "报告订阅问题"; - /* Title of the report section on the privacy screen */ "Reports" = "报告"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "重试"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "重新连接"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "返回“我的商店”"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "如果包裹无法送达,请退回给寄件人"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "促销价格:%@"; -/* No comment provided by engineer. */ -"Sales reports" = "销售报表"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "样品"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "查看布局和纸张尺寸选项"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "请参阅套餐详情"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "选择 %1$d 个分类"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "选定包裹"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "选择套餐"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "选择产品类型"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "配送详细信息"; -/* No comment provided by engineer. */ -"Shipment tracking" = "配送跟踪"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "配送日期:%@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "某人"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "购买时出现错误,我们无法确定您的付款是否已完成或商店套餐是否已升级。"; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "验证您的优惠券代码时出现错误。 请重试"; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "已停止自动添加税率"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "存储"; - /* Navigates to the Store name setup screen */ "Store Name" = "商店名称"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "提交支持请求"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "订阅状态"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "订阅"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "切换为默认字体大小"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "与 Pinterest 同步"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "正在同步数据"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "将您的站点连接到 Jetpack 时出错。"; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "获取您的套餐详细信息时出错,请稍后重试。"; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "获取隐私设置时出错"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "移到回收站"; -/* Plan name for an expired free trial */ -"Trial ended" = "试用已结束"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "故障排除"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "排查连接故障"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "故障排除"; - /* Connect when the SSL certificate is invalid */ "Trust" = "信任"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "试用 “iPhone 点按付款”功能"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "请再次尝试付款"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "尝试通过借记卡或信用卡完成一次 %1$@ 付款。 您可以在完成支付后选择退款。"; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "不限制"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "无限量的管理员账户"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "未命名产品"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "导入您的产品......"; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "升级"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "追加销售"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "视图"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "查看 %1$@ 功能"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "查看自定义字段"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "查看完整功能列表"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "查看商店中的产品"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "加载分析时遇到了问题"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "确认您的付款时出现错误。"; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "加载套餐信息时出现错误"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "我们已暂停您的商店。 您可以通过浏览器登录 WordPress.com,购买其他套餐。"; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "宽度"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Woo! 您已经取得良好开局!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "WooCommerce Shipping 目前不支持通过 %1$@ 运输危险品。"; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "WooCommerce 移动应用"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "WooCommerce 商店"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "WordPress CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "WordPress 媒体库"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "WordPress 移动应用"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "WordPress 版本过旧。%1$@ 上的站点采用 WordPress %2$@。我们建议更新至最新版本或至少更新为 %3$@"; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "昨天"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "您正处于 %1$d 天免费试用期间。 免费试用版将于 %2$d 天后到期。 "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "您无权访问此商店。"; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "您未获得安装 Jetpack 的授权"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "您可以订阅%1$@套餐! %2$@之前,您可以访问我们的所有功能。"; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "您可以在 Web 仪表盘中编辑捆绑产品。"; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "您可轻松快速地管理。"; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "您可以前往 iPhone 的“设置”→ 您的姓名 →“订阅”来管理订阅"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "您只可在 Web 仪表盘中添加可变订阅"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "这个 E-mail 地址不可用。我们发现这个 E-mail 提供商会屏蔽我们的邮件,请更换一个。"; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "您无法升级,因为您不是商店所有者"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "您目前已禁用此商店的优惠券。 启用优惠券以开始使用。"; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "我们对您的账户完成审核后,您即可接受现场付款。"; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "您正处于免费试用期"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "您不具备关闭此账户的权限"; -/* No comment provided by engineer. */ -"Your Store" = "您的商店"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "WooPayments 通知将会发送至您的 WordPress.com 账户电子邮箱。 想要新建账户? 在此了解更多详细信息。"; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "您的电子邮件未与 WordPress.com 账户关联"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "您的免费试用版已结束"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "您的免费试用已结束,并且您对所有功能的访问将受到限制。 立即订阅 Woo Express 套餐。"; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "您的免费试用版将于 %1$@ 后到期。 在 %2$@ 之前升级套餐,解锁新功能并开始销售。"; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "您的 iPhone 可以作为读卡器使用,您也可以通过蓝牙连接到外部读卡器。"; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "您的手机很快就可以收款了..."; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "您的购买已完成,您正在使用 %1$@ 套餐。"; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "更新完成后,您的阅读器将自动重新启动并重新连接"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "您的站点响应时间过长。\n\n请联系您的托管服务提供商以获得进一步帮助。"; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "您的站点套餐已结束。"; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "您的商店已上线!"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "您的订阅已结束,并且您对所有功能的访问将受到限制。"; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "您的订阅已激活,但在您的商店中激活套餐时出现错误。"; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "税率目前依据客户账单地址计算:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "您需要在您的商店中安装免费的 WooCommerce Payments 扩展程序,才能支持现场付款。"; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "您即将大功告成"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8614,6 +8293,69 @@ 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" = "重试"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "无名称"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "尝试调整您的搜索字词,以查看更多结果"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "未找到客户"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "搜索客户"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "该用户是访客,而访客不能用于过滤预订。"; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "客户"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "日期"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "从"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "时间"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "日期和时间"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "至"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "显示预订"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "客户"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "出席状态"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "日期和时间"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "付款状态"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "服务\/事件"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "团队成员"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "任何"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "从 %1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "至 %1$@"; + /* Message displayed when searching bookings by keyword yields no results. */ "bookingList.emptySearchText" = "我们未能找到任何使用该名称的预订,请尝试调整您的搜索字词以查看更多结果。"; @@ -8650,6 +8392,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "筛选"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "过滤器 (%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "搜索预订"; @@ -8665,6 +8410,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "预订"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "未找到服务或事件"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "服务\/事件"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "已取消"; @@ -8686,6 +8437,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "未付款"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "未找到团队成员"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "团队成员"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "访客"; @@ -9690,6 +9447,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "有限数量基础包装 — 气雾剂、喷雾消毒剂、喷漆、定型喷雾、丙烷、丁烷、清洁产品等 - 芳香剂、指甲油、洗甲水、溶剂、洗手液、擦洗酒精、乙醇基产品等 - 其他有限数量表面物质(化妆品、清洁产品、油漆等)"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "任何"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "通过 Blaze 让数百万人看到您的产品,提高您的销售额"; @@ -9875,6 +9635,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "在此期间不能使用优惠券"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "任何"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "任何"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "搜索"; @@ -10323,9 +10089,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "编辑"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "套餐已结束"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "关闭"; @@ -11048,9 +10811,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "免费试用期"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "完成"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "已接受"; diff --git a/WooCommerce/Resources/zh-Hant.lproj/Localizable.strings b/WooCommerce/Resources/zh-Hant.lproj/Localizable.strings index 7d52c9934e5..be18c6e7e97 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-21 09:54:04+0000 */ +/* Translation-Revision-Date: 2025-11-04 09:54:04+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: zh_TW */ @@ -121,9 +121,6 @@ which should be translated separately and considered part of this sentence. */ /* Shows how many tasks are completed in the store setup process.%1$d represents the tasks completed. %2$d represents the total number of tasks.This text is displayed when the store setup task list is presented in collapsed mode in the dashboard screen. */ "%1$d\/%2$d completed" = "已完成 %1$d\/%2$d 個"; -/* Value describing the days left on a plan before expiry (singular). %1ld must be included in the translation, and will be replaced with the count. Reads as '1 day' */ -"%1$ld day" = "%1$ld 天"; - /* Format for the variations detail row in singular form. Reads, `1 variation` Label about one product variation shown on Products tab. Reads, `1 variation` */ "%1$ld variation" = "%1$ld 個款式"; @@ -132,18 +129,12 @@ which should be translated separately and considered part of this sentence. */ Label about number of variations shown on Products tab. Reads, `2 variations` */ "%1$ld variations" = "%1$ld 個款式"; -/* Value describing the days left on a plan before expiry (plural). %1ld must be included in the translation, and will be replaced with the count. Reads as '15 days' */ -"%1ld days" = "%1ld 天"; - /* 1 Item */ "%@ Item" = "%@ 個品項"; /* For example, '5 Items' */ "%@ Items" = "%@ 個品項"; -/* Reads like: eCommerce ended */ -"%@ ended" = " %@ 已結束"; - /* Order refunded shipping label title. The string variable shows the shipping label service name (e.g. USPS). */ "%@ label refund requested" = "已提出 %@ 標籤退款要求"; @@ -230,27 +221,15 @@ which should be translated separately and considered part of this sentence. */ /* Title of the label indicating that there is 1 item to refund. */ "1 item selected" = "已選取 1 個項目"; -/* Disclaimer regarding some of the features related to payments. */ -"1. Available as standard in WooCommerce Payments (restrictions apply).Additional extensions may be required for other payment providers." = "1. 此為 WooCommerce Payments 的標準功能 (有其限制)。其他付款服務供應商可能需要額外安裝擴充功能才能使用。"; - -/* Disclaimer regarding some of the features related to shipping. */ -"2. Only available in the U.S. – an additional extension will be required for other countries." = "2. 僅適用於美國;其他國家\/地區需要額外擴充功能才能使用。"; - /* Tutorial steps on the application password tutorial screen */ "3. When the connection is complete, you will be logged in to your store." = "3. 連結完成後,系統會將你登入自己的商店。"; /* Estimated setup time text shown on the Woo payments setup instructions screen. */ "4-6 minutes" = "4-6 分鐘"; -/* Content of one of the features of the Paid plans, pointing to gigabytes of site storage. */ -"50 GB" = "50 GB"; - /* Please limit to 3 characters if possible. This is used if there are more than 99 items in a tab, like Orders. */ "99+" = "99+"; -/* Error message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"A WooCommerce app store subscription with your Apple ID already exists" = "已有使用你 Apple ID 的 WooCommerce 應用程式商店訂購"; - /* Instruction text to explain magic link login step. */ "A WordPress.com account is connected to your store credentials. To continue, we will send a verification link to the email address above." = "WordPress.com 帳號已連結至你的商店憑證。 若要繼續操作,我們會傳送驗證連結到上方電子郵件地址。"; @@ -284,15 +263,9 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "新增選項"; -/* No comment provided by engineer. */ -"Abandoned cart recovery" = "復原擱置的購物車項目"; - /* My Store > Settings > About the App (Application) section title */ "About the App" = "關於此應用程式"; -/* No comment provided by engineer. */ -"Accept local payments'" = "接受當地付款方式"; - /* Settings > Set up Tap to Pay on iPhone > Information > Hint to accept the Terms of Service from Apple */ "Accept the Terms of Service during set up." = "在設定過程中接受服務條款。"; @@ -324,9 +297,6 @@ which should be translated separately and considered part of this sentence. */ Status of coupons that are active */ "Active" = "啟用"; -/* No comment provided by engineer. */ -"Ad-free experience" = "不含廣告的體驗"; - /* Action for adding a Products' downloadable files' info remotely Add a note screen - button title to send the note Add tracking screen - button title to add a tracking @@ -535,15 +505,9 @@ which should be translated separately and considered part of this sentence. */ /* Adult signature required in Shipping Labels > Carrier and Rates */ "Adult signature required (+%1$@)" = "需成人簽名 (+%1$@)"; -/* No comment provided by engineer. */ -"Advanced SEO tools" = "進階 SEO 工具"; - /* Cell subtitle explaining why you might want to navigate to view the application log. */ "Advanced tool to review the app status" = "檢視應用程式狀態的進階工具"; -/* No comment provided by engineer. */ -"Advertise on Google" = "在 Google 上廣告"; - /* A hazardous material description stating when a package can fit into this category */ "Air Eligible Ethanol Package - (authorized fragrance and hand sanitizer shipments)" = "可空運的乙醇包裹:(獲准運送的香水及乾洗手貨件)"; @@ -614,9 +578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "符合退款資格的金額"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"An Apple ID can only be used to upgrade one store" = "一個 Apple ID 只能用於升級一家商店"; - /* A failure reason for when an error HTTP status code was returned from the site, with the specific error code. */ "An HTTP error code %i was returned." = "已傳回 HTTP 錯誤代碼 %i。"; @@ -644,9 +605,6 @@ which should be translated separately and considered part of this sentence. */ /* Message when enabling analytics succeeds */ "Analytics enabled successfully." = "已成功啟用分析。"; -/* Title of the selector option for paying annually on the Upgrade view, when choosing a plan */ -"Annually (Save 35%)" = "年繳 (省下 35% 的費用)"; - /* Case Any in Order Filters for Order Statuses Display label for all order statuses selected in Order Filters Label for one of the filters in order date range @@ -753,12 +711,6 @@ which should be translated separately and considered part of this sentence. */ /* Popup title to ask for user credentials. */ "Authentication required for host: %@" = "主機需要的驗證:%@"; -/* No comment provided by engineer. */ -"Automated backup + quick restore" = "自動備份與快速還原功能"; - -/* No comment provided by engineer. */ -"Automated sales taxes" = "自動化營業稅"; - /* Title for the bottom sheet when there is a tax rate stored */ "Automatically adding tax rate" = "自動新增稅率"; @@ -788,9 +740,6 @@ which should be translated separately and considered part of this sentence. */ Previous web page */ "Back" = "上一步"; -/* No comment provided by engineer. */ -"Back in stock emails" = "重新上架電子郵件"; - /* Accessibility announcement message when device goes back online */ "Back online" = "重新上線"; @@ -844,6 +793,15 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for bold button on formatting toolbar. */ "Bold" = "粗體"; +/* Title for 'Booked' booking attendance status. */ +"BookingAttendanceStatus.booked" = "已預訂"; + +/* Title for 'Cancelled' booking attendance status. */ +"BookingAttendanceStatus.cancelled" = "已取消"; + +/* Title for 'Unknown' booking attendance status. */ +"BookingAttendanceStatus.unknown" = "不明"; + /* Assigned staff row title in appointment details section in booking details view. */ "BookingDetailsView.appointmentDetails.assignedStaff.title" = "指派員工"; @@ -871,6 +829,9 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Attendance' section in the booking details screen. */ "BookingDetailsView.attendance.headerTitle" = "出席"; +/* Content of error presented when updating the attendance status of a Booking fails. It reads: Unable to change status of Booking #{Booking number}. Parameters: %1$d - Booking number */ +"BookingDetailsView.attendanceStatus.updateFailed.message" = "無法變更預訂編號 #%1$d 的出席狀態"; + /* Add a note row title in booking notes section in booking details view. */ "BookingDetailsView.bookingNotes.addANoteRow.title" = "新增備註"; @@ -952,14 +913,8 @@ which should be translated separately and considered part of this sentence. */ /* 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" = "已預訂"; - -/* Title for the 'Paid' status label in the header view. */ -"BookingDetailsView.statusLabel.paid" = "已付款"; - -/* Title for the 'Pay at location' status label in the header view. */ -"BookingDetailsView.statusLabel.payAtLocation" = "現場付款"; +/* Retry Action */ +"BookingDetailsView.retry.action" = "重試"; /* Description of the Coupons menu in the hub menu */ "Boost sales with special offers" = "透過特價方案提高銷量"; @@ -1131,10 +1086,6 @@ which should be translated separately and considered part of this sentence. */ /* Action button to cancel Jetpack installation. */ "Cancel Installation" = "取消安裝"; -/* Title of the button displayed when purchasing a plan fails, so the flow can be cancelled. - Title of the secondary button displayed when purchasing a plan fails, so the merchant can exit the flow. */ -"Cancel Upgrade" = "取消升級"; - /* Display label for the subscription status type */ "Cancelled" = "已取消"; @@ -1493,9 +1444,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a button that when tapped, starts the process of connecting to a card reader */ "Connect to Reader" = "連線至讀卡機"; -/* No comment provided by engineer. */ -"Connect with Facebook" = "連接至 Facebook"; - /* Settings > Manage Card Reader > Prompt user to connect their first reader */ "Connect your card reader" = "連接讀卡機"; @@ -1785,9 +1733,6 @@ which should be translated separately and considered part of this sentence. */ Message in the footer of bulk price setting screen, when variations have different price values. */ "Current prices are mixed." = "目前價格不一。"; -/* Reads like: Current: Free Trial */ -"Current: %@" = "目前:%@"; - /* Error description for when there are too many variations to generate. */ "Currently creation is supported for 100 variations maximum. Generating variations for this product would create %d variations." = "目前最多支援建立 100 個款式。 為此產品產生款式將建立 %d 個款式。"; @@ -1827,12 +1772,6 @@ which should be translated separately and considered part of this sentence. */ /* Error shown in Shipping Label Origin Address validation for phone number when the it doesn't have expected length for international shipment. */ "Custom forms require a 10-digit phone number" = "海關表格要求填寫 10 位數電話號碼"; -/* No comment provided by engineer. */ -"Custom order emails" = "自訂訂單電子郵件"; - -/* No comment provided by engineer. */ -"Custom product kits" = "自訂產品套件"; - /* Customer info section title Customer info section title in Review Order screen Title text of the section that shows Customer details when creating a new order */ @@ -1847,9 +1786,6 @@ which should be translated separately and considered part of this sentence. */ Title text of the row that holds the order note when creating a simple payment */ "Customer Provided Note" = "顧客所提出的備註"; -/* No comment provided by engineer. */ -"Customer birthday emails" = "顧客生日電子郵件"; - /* Title of the banner notice in Shipping Labels -> Carrier and Rates */ "Customer paid a %1$@ of %2$@ for shipping" = "客戶支付 %1$@ (%2$@) 運費"; @@ -1967,9 +1903,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of one of the elements in the CTA View for installing WCShip extension */ "Discounted rates" = "折扣費率"; -/* No comment provided by engineer. */ -"Discounted shipping²" = "運送可享折扣²"; - /* Title text for the product discount row informational tooltip */ "Discounts unavailable" = "折扣不適用"; @@ -2044,9 +1977,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for button to log in using your site address. The underscores _..._ denote underline */ "Don't have an account? _Sign up_" = "還沒有帳號?_註冊_"; -/* Text within the Upgrades summary card, informing the merchant their Free Trial has expired. */ -"Don't lose all that hard work! Upgrade to a paid plan to continue working on your store. Unlock more features, launch and start selling, and make your ecommerce business a reality." = "別遺失辛苦完成的成果! 升級至付費方案,即可繼續使用商店。 獲得更多功能、上架商品並開始銷售,擁有自己的電子商務事業。"; - /* Alert button text on a feature announcement which prevents the banner being shown again Title of the button shown when the In-Person Payments feedback banner is dismissed. */ "Don't show again" = "不要再顯示"; @@ -2063,7 +1993,6 @@ which should be translated separately and considered part of this sentence. */ Dismiss button title in Woo Payments setup celebration screen. Done button on the Allowed Emails screen Done button on the Jetpack Install Progress screen. - Done button on the screen that is shown after a successful plan upgrade. Done navigation button in Inbox Notes webview Done navigation button in selection list screens Done navigation button in Shipping Label add payment webview @@ -2221,9 +2150,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to email receipts. Presented to users after a payment has been successfully collected */ "Email receipt" = "電子郵件收據"; -/* No comment provided by engineer. */ -"Email support" = "電子郵件支援"; - /* Label for the email receipts toggle in Payment Method screen. %1$@ is a placeholder for the account display name. %2$@ is a placeholder for the username. %3$@ is a placeholder for the WordPress.com email address. */ "Email the label purchase receipts to %1$@ (%2$@) at %3$@" = "透過電子郵件傳送標籤購買收據給%1$@ (%2$@),電子郵件地址是 %3$@"; @@ -2410,9 +2336,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title when Jetpack activation fails */ "Error activating Jetpack" = "啟用 Jetpack 時發生錯誤"; -/* Error message displayed when plan activation fails after purchasing a plan. */ -"Error activating plan" = "啟用方案時發生錯誤"; - /* Error title when Jetpack connection fails */ "Error authorizing connection to Jetpack" = "授權連結到 Jetpack 時發生錯誤"; @@ -2422,18 +2345,9 @@ which should be translated separately and considered part of this sentence. */ /* Message shown on the error alert displayed when checking Jetpack connection fails during the Jetpack setup flow. */ "Error checking the Jetpack connection on your site" = "查看網站的 Jetpack 連結狀態時發生錯誤"; -/* A string shown on the error screen when there's an issue purchasing a plan, to inform the user of the error code for use with Support. %1$@ will be replaced with the error code and must be included in the translations. */ -"Error code %1$@" = "錯誤代碼 %1$@"; - /* Error code displayed when the Jetpack setup fails. %1$d is the code. */ "Error code %1$d" = "錯誤代碼 %1$d"; -/* Error message displayed when a payment fails when attempting to purchase a plan. */ -"Error confirming payment" = "確認付款時發生錯誤"; - -/* Title of an unknown error after purchasing a plan */ -"Error during purchase" = "購買時發生錯誤"; - /* Error message when enabling analytics fails */ "Error enabling analytics. Please try again." = "啟用分析時發生錯誤。 請再試一次。"; @@ -2483,9 +2397,6 @@ which should be translated separately and considered part of this sentence. */ The title on the placeholder overlay when there are no coupons on the coupon list screen and creating a coupon is possible. */ "Everyone loves a deal" = "人人都喜歡優惠"; -/* Title for the Performance plan features list. Is followed by a list of the plan features. */ -"Everything in Essential, plus:" = "基本方案的所有功能,再加上:"; - /* Label for sample product features to enter in the product description AI generator view. */ "Example: Potted, cactus, plant, decorative, easy-care" = "範例:盆栽, 仙人掌, 植物, 家飾, 輕鬆照顧"; @@ -2540,9 +2451,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility value when a banner is expanded */ "Expanded" = "已展開"; -/* Title for the features list in the Subscriptions Screen */ -"Experience more of our features and services beyond the app" = "體驗比應用程式還要多的功能與服務"; - /* Experimental features navigation title Navigates to experimental features screen */ "Experimental Features" = "實驗性功能"; @@ -2694,9 +2602,6 @@ which should be translated separately and considered part of this sentence. */ /* Next web page */ "Forward" = "轉寄"; -/* No comment provided by engineer. */ -"Free SSL certificate" = "免費 SSL 憑證"; - /* Plan name for an active free trial */ "Free Trial" = "免費試用"; @@ -2712,9 +2617,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of the CTA view for installing WCShip extension */ "Fulfill your orders with WooCommerce Shipping" = "透過 WooCommerce Shipping 完成你的訂單"; -/* Title of the view which shows the full feature list for paid plans. */ -"Full Feature List" = "完整功能清單"; - /* Hint regarding available/pending balances shown in the WooPayments Payouts View%1$d will be replaced by the number of days balances pend, and will be one of 2/4/5/7. */ "Funds become available after pending for %1$d days." = "款項待確認 %1$d 天後,現在已可提供。"; @@ -2748,9 +2650,6 @@ which should be translated separately and considered part of this sentence. */ /* Error title for when there are too many variations to generate. */ "Generation limit exceeded" = "超過產生上限"; -/* No comment provided by engineer. */ -"Generous storage" = "龐大的儲存空間"; - /* Title of install action in the Jetpack Install view. View title for initial auth views. */ "Get Started" = "開始使用"; @@ -2779,13 +2678,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the account creation form. */ "Get started in minutes" = "只要幾分鐘即可開始使用"; -/* Button title to allow merchants to open the support screens when there's an error with their plan purchase - Button to contact support when Jetpack setup fails */ +/* Button to contact support when Jetpack setup fails */ "Get support" = "取得支援"; -/* Title for the section header for the list of feature categories on the Upgrade plan screen. Reads as 'Get the most out of Essential'. %1$@ must be included in the string and will be replaced with the plan name. */ -"Get the most out of %1$@" = "充分發揮 %1$@ 的優勢"; - /* Title of the Jetpack benefits view. */ "Get the most out of your store" = "從自己的商店獲得最大利益"; @@ -2813,9 +2708,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of the gift card code text field in the order form. */ "Gift card code" = "禮物卡序號"; -/* No comment provided by engineer. */ -"Gift cards" = "禮物卡"; - /* The title of the button to give feedback about products beta features on the banner on the products tab Title of the button to give feedback about the add-ons feature Title of the feedback action button on the coupon list screen @@ -2837,9 +2729,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the button to navigate to the home screen after Jetpack setup completes */ "Go to Store" = "前往商店"; -/* No comment provided by engineer. */ -"Google Analytics" = "Google Analytics (分析)"; - /* Message shown on screen after the Google sign up process failed. */ "Google sign up failed." = "Google 註冊失敗。"; @@ -3023,9 +2912,6 @@ which should be translated separately and considered part of this sentence. */ /* Long descriptions of alert informing users of what email they can use to sign in.Presented when users attempt to log in with an email that does not match a WP.com account */ "In your site admin you can find the email you used to connect to WordPress.com from the Jetpack Dashboard under Connections > Account Connection" = "在你的網站管理中,你可以從 Jetpack 控制台的「連結」>「帳號連結」找到用於連結 WordPress.com 的電子郵件。"; -/* Error message displayed when In-App Purchases are not supported. */ -"In-App Purchases not supported" = "不支援應用程式內購買"; - /* Message included in emailed receipts. Reads as: In-Person Payment for Order @{number} for @{store name} blog_id @{blog ID} Parameters: %1$@ - order number, %2$@ - store name, %3$@ - blog ID number */ "In-Person Payment for Order #%1$@ for %2$@ blog_id %3$@" = "為 %2$@ blog_id %3$@ 的訂單 #%1$@ 親自收款"; @@ -3119,12 +3005,6 @@ which should be translated separately and considered part of this sentence. */ /* Includes insurance of a specific carrier in Shipping Labels > Carrier and Rates. Place holder is an amount. */ "Insurance (up to %1$@)" = "保險 (最高 %1$@)"; -/* No comment provided by engineer. */ -"Integrated payments" = "整合型付款"; - -/* No comment provided by engineer. */ -"International payments'" = "國際付款"; - /* Title for the internet connection connectivity tool card */ "Internet Connection" = "網際網路連線"; @@ -3402,18 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user about the image section header of a product in product detail screen. */ "List of images of the product" = "商品圖片清單"; -/* No comment provided by engineer. */ -"List products by brand" = "依品牌列出產品"; - -/* No comment provided by engineer. */ -"List unlimited products" = "列出不受限制的產品數量"; - -/* No comment provided by engineer. */ -"Live chat support" = "即時線上文字對談支援"; - -/* No comment provided by engineer. */ -"Live shipping rates" = "即時運費費率"; - /* Accessibility label for loading indicator (spinner) at the bottom of a list */ "Loading" = "載入中"; @@ -3426,9 +3294,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text of the loading banner in Order Detail when loaded for the first time */ "Loading content" = "正在載入內容"; -/* Accessibility label for the initial loading state of the Upgrades view */ -"Loading plan details" = "正在載入方案詳細資訊"; - /* Accessibility label for placeholder rows while product variations are loading */ "Loading product variations" = "正在載入商品款式"; @@ -3517,9 +3382,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of a button. */ "Lost your password?" = "忘記密碼?"; -/* No comment provided by engineer. */ -"Loyalty points programs" = "忠實顧客點數計畫"; - /* It reads 'Made with love by Automattic. We’re hiring!'. Place \'We’re hiring!' between `` and `` */ "Made with love by Automattic. We’re hiring!<\/a>" = "由 Automattic 用心製作。我們在招募人才!<\/a>"; @@ -3546,9 +3408,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the privacy banner */ "Manage Privacy" = "管理隱私權"; -/* Title for the button to manage subscriptions */ -"Manage Your Subscription" = "管理你的訂購"; - /* Caption displayed in promotional screens shown during the login flow. */ "Manage and edit orders on the go" = "隨時隨地管理及編輯訂單"; @@ -3564,9 +3423,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Inventory Settings > Manage stock */ "Manage stock" = "庫存管理"; -/* Description of one of the hub menu options */ -"Manage your subscription" = "管理你的訂購"; - /* In Refund Confirmation, The title shown to the user to inform them that they have to issue the refund manually. */ "Manual Refund" = "手動退款"; @@ -3595,12 +3451,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Create Shipping Label form -> Mark order as complete label */ "Mark this order as complete and notify the customer" = "將此訂單標示為完成並通知客戶"; -/* No comment provided by engineer. */ -"Marketing & Email" = "行銷與電子郵件"; - -/* No comment provided by engineer. */ -"Marketing automation" = "自動化行銷"; - /* Title for the maximum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Max. Spend ($) */ "Max. Spend (%1$@)" = "上限 消費金額 (%1$@)"; @@ -3652,9 +3502,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for the minimum spend row on coupon usage restrictions screen with currency symbol within the brackets. Reads like: Min. Spend ($) */ "Min. Spend (%1$@)" = "最低 消費金額 (%1$@)"; -/* No comment provided by engineer. */ -"Min\/Max order quantity" = "訂單數量上下限"; - /* Title for the minimum quantity setting in the quantity rules screen. */ "Minimum quantity" = "數量下限"; @@ -3673,9 +3520,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Analytics Hub Month to Date selection range */ "Month to Date" = "月初至今"; -/* Title of the selector option for paying monthly on the Upgrade view, when choosing a plan */ -"Monthly" = "每月"; - /* Accessibility hint for more button in an individual Shipment Tracking in the order details screen Accessibility label for the More button on formatting toolbar. */ "More" = "更多"; @@ -3867,9 +3711,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message on the detail view of the Orders tab before any order is selected */ "No order selected" = "未選取訂單"; -/* Bolded message confirming that no payment has been taken when the upgrade failed. */ -"No payment has been taken" = "未收取任何費用"; - /* Shown in a Product Variation cell if the variation is enabled but does not have a price */ "No price set" = "未設定價格"; @@ -4320,9 +4161,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the Performance section on Coupons Details screen */ "Performance" = "效能"; -/* Indicates a feature is part of the performance plan. */ -"Performance plan only" = "僅提供 Performance 方案"; - /* Close Account button title - confirms and closes user's WordPress.com account. */ "Permanently Close Account" = "永久關閉帳號"; @@ -4351,9 +4189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while deleting the Product remotely */ "Placing your product in the trash..." = "正在將你的商品放入垃圾桶…"; -/* Detail text shown after an In-App Purchase for a Woo Express plan, shown while we upgrade the site. %1$@ is replaced with the short plan name. Reads as: 'Please bear with us while we process the payment for your Essential plan.' */ -"Please bear with us while we process the payment for your %1$@ plan." = "請耐心等候我們處理你的 %1$@ 方案付款。"; - /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "請為讀卡機充電"; @@ -4363,16 +4198,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message on the Jetpack setup required screen when Jetpack connection is missing. */ "Please connect your store to Jetpack to access it on this app." = "請將你的商店連結到 Jetpack,以在此應用程式上存取你的商店。"; -/* Bolded message advising the merchant to contact support when the plan activation failed. - Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ -"Please contact support for assistance." = "請接洽支援團隊取得協助"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "請聯絡網站管理員以獲得網站邀請,成為商店經理或管理員後即可使用應用程式。"; -/* Text describing that only the site owner can upgrade the site's plan. */ -"Please contact the store owner to upgrade your plan." = "請聯絡商店擁有者以升級你的方案。"; - /* Suggestion to be displayed when the user encounters a permission error during Jetpack setup */ "Please contact your shop manager or administrator for help." = "請聯絡商店經理或管理員尋求協助。"; @@ -4469,9 +4297,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "請再試一次或與我們聯絡,我們將很樂意提供協助!"; -/* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ -"Please try again, or contact support for assistance" = "請再試一次,或聯絡支援團隊以取得協助"; - /* Account creation error when an unexpected error occurs. */ "Please try again." = "請再試一次。"; @@ -4536,8 +4361,7 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "外掛程式"; -/* 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 */ +/* Section title for popular products on the Select Product screen. */ "Popular" = "熱門"; /* Text field postcode in Edit Address Form @@ -4556,9 +4380,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info text saying that crowdsignal in an Automattic product */ "Powered by Automattic" = "由 Automattic 提供技術"; -/* No comment provided by engineer. */ -"Premium themes included" = "隨附進階版佈景主題"; - /* Title label for modal dialog that appears when connecting to a built in card reader */ "Preparing Tap to Pay on iPhone" = "正在準備「iPhone 卡緊收」功能"; @@ -4639,9 +4460,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to print receipts. Presented to users after a payment has been successfully collected */ "Print receipt" = "列印收據"; -/* No comment provided by engineer. */ -"Print shipping labels²" = "列印運送標籤²"; - /* Title of in-progress modal when requesting shipping label document for printing */ "Printing Label" = "列印標籤"; @@ -4687,9 +4505,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title for the product add-ons screen */ "Product Add-ons" = "產品附加元件"; -/* No comment provided by engineer. */ -"Product Bundles" = "產品搭售方案"; - /* Row title for filtering products by product category. */ "Product Category" = "商品分類"; @@ -4724,9 +4539,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert when a user is publishing a product */ "Product published" = "已上架商品"; -/* No comment provided by engineer. */ -"Product recommendations" = "Product recommendations"; - /* Title of the alert when a user is saving a product */ "Product saved" = "商品已儲存"; @@ -4780,9 +4592,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Cell description for Upsells products in Linked Products Settings screen */ "Products promoted instead of the currently viewed product (ie more profitable products)" = "客戶檢視目前商品時推銷其他商品 (例如:獲利更高的商品)"; -/* No comment provided by engineer. */ -"Promote on TikTok" = "在 TikTok 宣傳"; - /* Description of the hub menu Blaze button */ "Promote products with Blaze" = "使用 Blaze 宣傳產品"; @@ -4807,9 +4616,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while updating the Product remotely */ "Publishing your product..." = "正在上架你的商品…"; -/* The title of the button to purchase a Plan.Reads as 'Purchase Essential Monthly' */ -"Purchase %1$@" = "購買 %1$@"; - /* Title of shipping label purchase date in Refund Shipping Label screen */ "Purchase Date" = "購買日期"; @@ -4889,12 +4695,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* The title of the view containing a receipt preview */ "Receipt" = "收據"; -/* No comment provided by engineer. */ -"Recurring payments'" = "定期付款"; - -/* No comment provided by engineer. */ -"Referral programs" = "推薦計畫"; - /* Button label to refresh a web page Button to refresh the state of the in-person payments setup Button to refresh the state of the in-person payments setup. */ @@ -5042,9 +4842,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Settings > Privacy Settings > report crashes section. Label for the `Report Crashes` toggle. */ "Report Crashes" = "報告當機"; -/* Title for the button to contact support on the Subscriptions view */ -"Report Subscription Issue" = "回報訂閱問題"; - /* Title of the report section on the privacy screen */ "Reports" = "報告"; @@ -5101,12 +4898,10 @@ If your translation of that term also happens to contains a hyphen, please be su Retry Action on error displayed when the attempt to toggle a Pay in Person checkout payment option fails Retry Action on the notice when loading product categories fails Retry action title - Retry button on the error notice for the upgrade view Retry button title for the privacy screen notices Retry button title when the scanner cannot finda matching product and create a new order Retry the last action - Retry title on the notice action button - Title of the button to attempt a retry when fetching or purchasing plans fails. */ + Retry title on the notice action button */ "Retry" = "重試"; /* 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. @@ -5119,9 +4914,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Retry connection button in the connectivity tool screen */ "Retry connection" = "重試連結"; -/* Title of the secondary button displayed when activating the purchased plan fails, so the merchant can exit the flow. */ -"Return to My Store" = "返回我的商店"; - /* Title for the return policy in Customs screen of Shipping Label flow */ "Return to sender if package is unable to be delivered" = "包裹無法投遞時退還寄件者"; @@ -5178,9 +4970,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Format of the sale price on the Price Settings row */ "Sale price: %@" = "折扣價格:%@"; -/* No comment provided by engineer. */ -"Sales reports" = "銷售報表"; - /* Type Sample of content to be declared for the customs form in Shipping Label flow */ "Sample" = "樣本"; @@ -5295,9 +5084,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Link title to see all paper size options */ "See layout and paper sizes options" = "查看版面配置和紙張大小選項"; -/* Title for a link to view Woo Express plan details on the web, as a fallback. */ -"See plan details" = "查看方案詳細資訊"; - /* Button to submit selection on the Select Categories screen when more than 1 item is selected. Reads like: Select 10 Categories */ "Select %1$d Categories" = "選取 %1$d 個類別"; @@ -5332,9 +5118,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Placeholder for the selected package in the Shipping Labels Package Details screen */ "Select a package" = "選取包裹"; -/* The title of the button to purchase a Plan when no plan is selected yet. */ -"Select a plan" = "選取方案"; - /* Message subtitle of bottom sheet for selecting a product type to create a product */ "Select a product type" = "請選取商品類型"; @@ -5502,9 +5285,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation bar title of shipping label details */ "Shipment Details" = "貨件詳細資訊"; -/* No comment provided by engineer. */ -"Shipment tracking" = "貨件追蹤"; - /* Accessibility label for Shipment date in Order details screen. Shipped: February 27, 2018. Date an item was shipped */ "Shipped %@" = "已運送 %@"; @@ -5652,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "某人"; -/* Description of an unknown error after purchasing a plan */ -"Something went wrong during your purchase, and we can't tell whether your payment has completed, or your store plan been upgraded." = "購買期間發生錯誤,我們無法確定付款是否已完成,或你的商店方案是否已升級。"; - /* Notice title when validating a coupon code fails. */ "Something went wrong when validating your coupon code. Please try again" = "驗證你的優惠券代碼時發生錯誤。 請再試一次"; @@ -5794,9 +5571,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when the user disables adding tax rates automatically */ "Stopped automatically adding tax rate" = "已停止自動新增稅率"; -/* Title of one of the features of the Paid plans, regarding site storage. */ -"Storage" = "儲存空間"; - /* Navigates to the Store name setup screen */ "Store Name" = "商店名稱"; @@ -5818,12 +5592,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button title to submit a support request. */ "Submit Support Request" = "提交支援請求"; -/* Title for the plan section on the subscriptions view. Uppercased */ -"Subscription Status" = "訂購狀態"; - -/* Subscriptions section title - Title for the Subscriptions / Upgrades view - Title of one of the hub menu options */ +/* Subscriptions section title */ "Subscriptions" = "訂閱"; /* Create Shipping Label form -> Subtotal label @@ -5870,9 +5639,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility Identifier for the Default Font Aztec Style. */ "Switches to the default Font Size" = "切換至預設的文字大小"; -/* No comment provided by engineer. */ -"Sync with Pinterest" = "與 Pinterest 同步"; - /* Message on the loading view displayed when the data is being synced after Jetpack setup completes */ "Syncing data" = "正在同步資料"; @@ -6259,9 +6025,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters an error during the connection step of Jetpack setup */ "There was an error connecting your site to Jetpack." = "將你的網站連結至 Jetpack 時發生錯誤。"; -/* Error shown when failing to fetch the plan details in the upgrades view. */ -"There was an error fetching your plan details, please try again later." = "擷取方案詳細資料時發生錯誤,請稍後再試。"; - /* Error notice when failing to fetch account settings on the privacy screen. */ "There was an error fetching your privacy settings" = "擷取你的隱私權設定時發生錯誤"; @@ -6506,18 +6269,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Move a comment to the trash */ "Trash" = "移至垃圾桶"; -/* Plan name for an expired free trial */ -"Trial ended" = "試用期已結束"; - /* The title of the button to get troubleshooting information in the Error Loading Data banner */ "Troubleshoot" = "疑難排解"; /* Screen title for the connectivity tool */ "Troubleshoot Connection" = "對連結進行疑難排解"; -/* Title for the section to contact support on the subscriptions view. Uppercased */ -"Troubleshooting" = "疑難排解"; - /* Connect when the SSL certificate is invalid */ "Trust" = "信任"; @@ -6549,9 +6306,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigates to the Tap to Pay on iPhone set up flow, after set up has been completed, when it primarily allows for a test payment. The full name is expected by Apple. */ "Try Out Tap to Pay on iPhone" = "試用「iPhone 卡緊收」"; -/* Title of the button displayed when purchasing a plan fails, so the merchant can try again. */ -"Try Payment Again" = "重試付款"; - /* Settings > Set up Tap to Pay on iPhone > Try a Payment > Description. %1$@ will be replaced with the amount of the trial payment, in the store's currency. */ "Try a %1$@ payment with your debit or credit card. You can refund the payment when you’re done." = "嘗試使用簽帳金融卡或信用卡支付 %1$@ 款項。 完成後即可進行退款。"; @@ -6783,9 +6537,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Value for fields in Coupon Usage Restrictions screen when no limit is set */ "Unlimited" = "無限制"; -/* No comment provided by engineer. */ -"Unlimited admin accounts" = "不限數量的管理員帳號"; - /* Back button title when the product doesn't have a name */ "Unnamed product" = "未命名產品"; @@ -6887,9 +6638,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the in-progress UI while bulk updating selected products remotely */ "Updating your products..." = "正在更新你的產品..."; -/* Navigation title for the Upgrades screen */ -"Upgrade" = "升級"; - /* Cell title for Upsells products in Linked Products Settings screen Navigation bar title for editing linked products for upsell products */ "Upsells" = "追加銷售"; @@ -7001,9 +6749,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the action to view product details from a notice about an image upload failure in the background. */ "View" = "檢視"; -/* Title for the button to expand plan details on the Upgrade plan screen. Reads as 'View Essential features'. %1$@ must be included in the string and will be replaced with the plan name. */ -"View %1$@ features" = "檢視 %1$@ 功能"; - /* Cell title on the beta features screen to enable the order add-ons feature Title of the button on the order detail item to navigate to add-ons Title of the button on the order details product list item to navigate to add-ons */ @@ -7020,9 +6765,6 @@ If your translation of that term also happens to contains a hyphen, please be su Custom Fields section title */ "View Custom Fields" = "檢視自訂欄位"; -/* The title of the button to view a list of all features that plans offer. */ -"View Full Feature List" = "檢視完整功能清單"; - /* Button title View product in store in Edit Product More Options Action Sheet */ "View Product in Store" = "查看商店產品"; @@ -7148,12 +6890,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message displayed in the error prompt when loading total discounted amount in Coupon Details screen fails */ "We encountered a problem loading analytics" = "載入分析時發生問題"; -/* Error description displayed when a payment fails when attempting to purchase a plan. */ -"We encountered an error confirming your payment." = "確認付款時發生錯誤。"; - -/* Error message displayed when we're unable to fetch In-App Purchases plans from the server. */ -"We encountered an error loading plan information" = "載入方案資訊時發生錯誤"; - /* Message on the expired WPCom plan alert */ "We have paused your store. You can purchase another plan by logging in to WordPress.com on your browser." = "我們已將你的商店暫停。 只要你在瀏覽器登入 WordPress.com,就能購買其他方案。"; @@ -7293,9 +7029,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of the cell in Product Shipping Settings > Width */ "Width" = "寬度"; -/* Text shown when a plan upgrade has been successfully purchased. */ -"Woo! You’re off to a great start!" = "Woo! 你有一個不錯的開始!"; - /* Navigates to about WooCommerce app screen */ "WooCommerce" = "WooCommerce"; @@ -7323,26 +7056,14 @@ If your translation of that term also happens to contains a hyphen, please be su /* Instructions for hazardous package shipping. The %1$@ is a tappable linkthat will direct the user to a website */ "WooCommerce Shipping does not currently support HAZMAT shipments through %1$@." = "WooCommerce Shipping 目前不支援透過 %1$@ 的危險物品貨件。"; -/* No comment provided by engineer. */ -"WooCommerce mobile app" = "WooCommerce 行動應用程式"; - -/* No comment provided by engineer. */ -"WooCommerce store" = "WooCommerce 商店"; - /* Highlighted header text on the store onboarding WCPay setup screen. Title of the webview for WCPay setup from onboarding. */ "WooPayments" = "WooPayments"; -/* No comment provided by engineer. */ -"WordPress CMS" = "WordPress CMS"; - /* Menu option for selecting media from the site's media library. Navigation bar title for WordPress Media Library image picker */ "WordPress Media Library" = "WordPress 媒體庫"; -/* No comment provided by engineer. */ -"WordPress mobile app" = "WordPress 行動應用程式"; - /* No comment provided by engineer. */ "WordPress version too old. The site at %@ uses WordPress %@. We recommend to update to the latest version, or at least %@" = "WordPress 版本過舊。網址為 %1$@ 的網站使用 WordPress %2$@。建議更新至最新版本,或至少更新至 %3$@"; @@ -7383,18 +7104,12 @@ If your translation of that term also happens to contains a hyphen, please be su Yesterday Section Header */ "Yesterday" = "昨天"; -/* Reads like: You are in the 14-day free trial. The free trial will end in 5 days. Upgrade to unlock new features and keep your store running. */ -"You are in the %1$d-day free trial. The free trial will end in %2$d days. " = "目前你正處於為期 %1$d 天的免費試用期。 免費試用期將於 %2$d 天後結束。 "; - /* An error message shown after the user retried checking their roles,but they still don't have enough permission to access the store through the app. */ "You are not authorized to access this store." = "你沒有存取此商店的權限。"; /* An error message shown after the user retried checking their roles but they still don't have enough permission to install Jetpack */ "You are not authorized to install Jetpack" = "你未取得安裝 Jetpack 的授權"; -/* Reads like: You are subscribed to the eCommerce plan! You have access to all our features until Nov 28, 2023. */ -"You are subscribed to the %1@ plan! You have access to all our features until %2@." = "你已訂閱「%1$@」方案! %2$@ 前,你可存取我們的所有功能。"; - /* Info notice at the bottom of the bundled products screen */ "You can edit bundled products in the web dashboard." = "你可以在網頁儀表板中編輯搭售產品。"; @@ -7410,9 +7125,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "你可以快速輕鬆管理。"; -/* Instructions guiding the merchant to manage a site's plan upgrade. */ -"You can manage your subscription in your iPhone Settings → Your Name → Subscriptions" = "你可以在 iPhone 的「設定」→「你的名字」→「訂閱項目」中管理訂購"; - /* Title of the no variations warning row in the product form when a variable subscription product has no variations. */ "You can only add variable subscriptions in the web dashboard" = "在網頁儀表板中只能新增多款式訂閱。"; @@ -7428,9 +7140,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "You cannot use that email address to signup. We are having problems with them blocking some of our email. Please use another email provider." = "你無法使用該電子郵件地址註冊。我們無法使用這些電子郵件地址,因為它們會阻擋我們的某些郵件。請使用其他電子郵件供應商。"; -/* Text describing that is not possible to upgrade the site's plan. */ -"You can’t upgrade because you are not the store owner" = "你不是商店擁有者,因此無法進行升級"; - /* The description on the placeholder overlay on the coupon list screen when coupons are disabled for the store. */ "You currently have Coupons disabled for this store. Enable coupons to get started." = "你目前在此商店中停用優惠券。 啟用優惠券即可開始使用。"; @@ -7462,15 +7171,9 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ "You'll be able to accept In‑Person Payments as soon as we finish reviewing your account." = "你的帳號審核完畢後,就能使用親自收款功能了。"; -/* Title for the Upgrades summary card, informing the merchant they're on a Free Trial site. */ -"You're in a free trial" = "你正在使用免費試用"; - /* Error message displayed when unable to close user account due to being unauthorized. */ "You're not authorized to close the account." = "你無權關閉該帳號。"; -/* No comment provided by engineer. */ -"Your Store" = "你的商店"; - /* First instruction on the Woo payments setup instructions screen. */ "Your WooPayments notifications will be sent to your WordPress.com account email. Prefer a new account? More details here." = "WooPayments 通知會傳送至您的 WordPress.com 帳號電子郵件信箱。 想要使用新帳號嗎? 詳情請見此處。"; @@ -7486,15 +7189,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "你的電子郵件並未用於 WordPress.com 帳號"; -/* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ -"Your free trial has ended" = "你的免費試用已結束"; - -/* Info details for an expired free trial */ -"Your free trial has ended and you have limited access to all the features. Subscribe to a Woo Express Plan now." = "你的免費試用已結束,存取所有功能時會受到限制。 立即訂購 Woo Express 方案。"; - -/* Text within the Upgrades summary card, informing the merchant of how much time they have to upgrade. */ -"Your free trial will end in %@. Upgrade to a plan by %@ to unlock new features and start selling." = "你的免費試用將於 %1$@ 到期。 於 %2$@ 前升級方案,即可用新功能開始銷售。"; - /* The description on the alert shown when connecting a card reader, asking the user to choose a reader type. Only shown when supported on their device. */ "Your iPhone can be used as a card reader, or you can connect to an external reader via Bluetooth." = "你的 iPhone 可做為讀卡機使用,或者你可以透過藍牙連線至外部讀卡機。"; @@ -7513,9 +7207,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Dialog message that displays when a configuration update just finished installing */ "Your phone will be ready to collect payments in a moment..." = "你的手機快要可以收款了…"; -/* Additional text shown when a plan upgrade has been successfully purchased. %1$@ is replaced by the plan name, and should be included in the translated string. */ -"Your purchase is complete and you're on the %1$@ plan." = "已完成購買,你已開始使用 %1$@ 方案。"; - /* Label that displays when an optional software update is happening */ "Your reader will automatically restart and reconnect after the update is complete." = "更新完成後,你的讀卡機會自動重新啟動並重新連線"; @@ -7534,18 +7225,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message when we there is a timeout error in the recovery tool */ "Your site is taking too long to respond.\n\nPlease contact your hosting provider for further assistance." = "你的網站太久沒有回應。\n\n請聯絡你的主機服務提供者,尋求進一步協助。"; -/* Title on the banner when the site's WooExpress plan has expired */ -"Your site plan has ended." = "你的網站方案已結束。"; - /* Title of the store onboarding launched store screen. */ "Your store is live!" = "你的商店已上線!"; -/* Info details for an expired plan */ -"Your subscription has ended and you have limited access to all the features." = "你的訂閱已結束,存取所有功能時皆會受到限制。"; - -/* Error description displayed when plan activation fails after purchasing a plan. */ -"Your subscription is active, but there was an error activating the plan on your store." = "你的訂購已啟用,但為商店啟用方案時發生錯誤。"; - /* Educational tax dialog to explain that the rate is calculated based on the customer billing address. */ "Your tax rate is currently calculated based on the customer billing address:" = "您的稅率目前是以顧客帳單地址計算:"; @@ -7564,9 +7246,6 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "You’ll need to install the free WooCommerce Payments extension on your store to accept In‑Person Payments." = "你需要為商店安裝免費 WooCommerce Payments 擴充功能,才能使用親自收款功能。"; -/* Title for the progress screen shown after an In-App Purchase for a Woo Express plan, while we upgrade the site. */ -"You’re almost there" = "你就快完成了"; - /* Error message when an in-person payments plugin is activated but not set up. %1$@ contains the plugin name. The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it */ @@ -8611,6 +8290,69 @@ 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" = "再試一次"; +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.emptyItemTitlePlaceholder" = "沒有名稱"; + +/* Message on the empty search result view of the booking customer selector view */ +"bookingCustomerSelectorView.emptySearchDescription" = "嘗試調整搜尋字詞以檢視更多結果"; + +/* Text on the empty view of the booking customer selector view */ +"bookingCustomerSelectorView.noCustomersFound" = "找不到顧客"; + +/* Prompt in the search bar of the booking customer selector view */ +"bookingCustomerSelectorView.searchPrompt" = "搜尋顧客"; + +/* Error message when selecting guest customer in booking filtering */ +"bookingCustomerSelectorView.selectionDisabledMessage" = "由於此使用者是訪客,故無法透過此身分篩選預訂內容。"; + +/* Title of the booking customer selector view */ +"bookingCustomerSelectorView.title" = "顧客"; + +/* Title of the Date row in the date time picker for booking filter */ +"bookingDateTimeFilterView.date" = "日期"; + +/* Title of From section in the date time picker for booking filter */ +"bookingDateTimeFilterView.from" = "開始日期"; + +/* Title of the Time row in the date time picker for booking filter */ +"bookingDateTimeFilterView.time" = "時間"; + +/* Title of the date time picker for booking filter */ +"bookingDateTimeFilterView.title" = "日期和時間"; + +/* Title of the To section in the date time picker for booking filter */ +"bookingDateTimeFilterView.to" = "結束日期"; + +/* Button title for applying filters to a list of bookings. */ +"bookingFilters.filterActionTitle" = "顯示預訂"; + +/* Row title for filtering bookings by customer. */ +"bookingFilters.rowCustomer" = "顧客"; + +/* Row title for filtering bookings by attendance status. */ +"bookingFilters.rowTitleAttendanceStatus" = "出席狀態"; + +/* Row title for filtering bookings by date range. */ +"bookingFilters.rowTitleDateTime" = "日期和時間"; + +/* Row title for filtering bookings by payment status. */ +"bookingFilters.rowTitlePaymentStatus" = "付款狀態"; + +/* Row title for filtering bookings by product. */ +"bookingFilters.rowTitleProduct" = "服務\/活動"; + +/* Row title for filtering bookings by team member. */ +"bookingFilters.rowTitleTeamMember" = "團隊成員"; + +/* Description for booking date range filter with no dates selected */ +"bookingFiltersViewModel.dateRangeFilter.any" = "任何"; + +/* Description for booking date range filter with only start date. Placeholder is a date. Reads as: From October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.from" = "開始日期:%1$@"; + +/* Description for booking date range filter with only end date. Placeholder is a date. Reads as: Until October 27, 2025. */ +"bookingFiltersViewModel.dateRangeFilter.until" = "結束日期:%1$@"; + /* Message displayed when searching bookings by keyword yields no results. */ "bookingList.emptySearchText" = "找不到符合該名稱的預訂。請嘗試調整搜尋字詞,以便查看更多結果。"; @@ -8647,6 +8389,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to filter the booking list */ "bookingListView.filter" = "篩選"; +/* Button to filter the booking list with number of active filters */ +"bookingListView.filter.withCount" = "篩選條件 (%1$d)"; + /* Prompt in the search bar on top of the booking list */ "bookingListView.search.prompt" = "搜尋預訂"; @@ -8662,6 +8407,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the booking list view */ "bookingListView.view.title" = "預訂"; +/* Text on the empty view of the booking service/event selector view */ +"bookingServiceEventSelectorView.noMembersFound" = "找不到服務或活動"; + +/* Title of the booking service/event selector view */ +"bookingServiceEventSelectorView.title" = "服務\/活動"; + /* Status of a canceled booking */ "bookingStatus.title.canceled" = "已取消"; @@ -8683,6 +8434,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "未付款"; +/* Text on the empty view of the booking team member selector view */ +"bookingTeamMemberSelectorView.noMembersFound" = "找不到團隊成員"; + +/* Title of the booking team member selector view */ +"bookingTeamMemberSelectorView.title" = "團隊成員"; + /* Displayed name on the booking list when no customer is associated with a booking. */ "bookings.guest" = "訪客"; @@ -9687,6 +9444,9 @@ which should be translated separately and considered part of this sentence. */ /* A hazardous material description stating when a package can fit into this category */ "limited_quantity_category" = "有運送量限制的陸運包裹:氣溶膠、噴霧消毒劑、噴漆、髮膠、丙烷、丁烷、清潔產品等。 - 香氛、指甲油、去光水、溶劑、乾洗手、外用酒精、乙醇類產品等。 - 有運送量限制的陸運物品 (化妝品、清潔用品、塗料等)。"; +/* Option to select no filter on a list selector view */ +"listSelectorView.any" = "任何"; + /* Message on the local notification to remind to continue the Blaze campaign creation. */ "localNotification.AbandonedCampaignCreation.body" = "運用 Blaze 讓數百萬使用者看見你的商品,並強化銷售表現"; @@ -9872,6 +9632,12 @@ which should be translated separately and considered part of this sentence. */ /* Default text for Most active coupons dashboard card when no data exists for a given period. */ "mostActiveCouponsEmptyView.text" = "此期間並未使用任何優惠券"; +/* Option to remove selections on multi selection list view */ +"multiSelectListView.any" = "任何"; + +/* Display label for when no filter selected. */ +"multipleFilterSelection.any" = "任何"; + /* Placeholder in the search bar of a multiple selection list */ "multipleSelectionList.search" = "搜尋"; @@ -10320,9 +10086,6 @@ which should be translated separately and considered part of this sentence. */ /* Accessibility label for the button to edit */ "pencilEditButton.accessibility.editButtonAccessibilityLabel" = "編輯"; -/* Shown with a 'Current:' label, but when we don't know what the plan that ended was */ -"plan ended" = "方案已結束"; - /* Title for the Close button within the Plugin List view. */ "pluginListView.button.close" = "關閉"; @@ -11045,9 +10808,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Free trial info screen of the subscription product. */ "subscriptionTrialViewModel.title" = "免費試用"; -/* Button to dismiss the support form. */ -"subscriptionsView.dismissSupport" = "完成"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "收到"; From 36af8f7c3657d9c073027149b7bfb1650f29f84c Mon Sep 17 00:00:00 2001 From: Automattic Release Bot Date: Tue, 4 Nov 2025 20:12:42 -0800 Subject: [PATCH 5/6] Update metadata translations --- fastlane/metadata/ar-SA/release_notes.txt | 2 +- fastlane/metadata/de-DE/release_notes.txt | 2 +- fastlane/metadata/default/release_notes.txt | 2 +- fastlane/metadata/es-ES/release_notes.txt | 2 +- fastlane/metadata/fr-FR/release_notes.txt | 2 +- fastlane/metadata/he/release_notes.txt | 2 +- fastlane/metadata/id/release_notes.txt | 2 +- fastlane/metadata/it/release_notes.txt | 2 +- fastlane/metadata/ja/release_notes.txt | 2 +- fastlane/metadata/ko/release_notes.txt | 2 +- fastlane/metadata/nl-NL/release_notes.txt | 2 +- fastlane/metadata/pt-BR/release_notes.txt | 2 +- fastlane/metadata/ru/release_notes.txt | 2 +- fastlane/metadata/sv/release_notes.txt | 2 +- fastlane/metadata/tr/release_notes.txt | 2 +- fastlane/metadata/zh-Hans/release_notes.txt | 2 +- fastlane/metadata/zh-Hant/release_notes.txt | 2 +- 17 files changed, 17 insertions(+), 17 deletions(-) diff --git a/fastlane/metadata/ar-SA/release_notes.txt b/fastlane/metadata/ar-SA/release_notes.txt index c2fe84f265b..02039c077f4 100644 --- a/fastlane/metadata/ar-SA/release_notes.txt +++ b/fastlane/metadata/ar-SA/release_notes.txt @@ -1 +1 @@ -يوفر هذا التحديث إدارة أكثر سلاسة للمتجر وتحكمًا أفضل. يمكنك الآن تصفية الطلبات حسب المصدر، وإدارة كل طلبات نقطة البيع مباشرة داخل واجهة نقطة البيع. بالإضافة إلى ذلك، قمنا بإصلاح مشكلة في التمرير على شاشة "إنشاء قسيمة" للحصول على تجربة أكثر سلاسة. +يعمل هذا التحديث على تحسين استقرار التطبيق وقابليته للاستخدام. لقد حسّنّا التوافق مع المتاجر التي تستخدم عناوين مواقع عبر بروتوكول HTTP، كما قمنا بتحسين آلية تحميل علامات التبويب بناءً على الحالات المحفوظة، وأصلحنا مشكلة كانت تمنع إغلاق لوحة المفاتيح أثناء تحرير عناوين المنتجات. diff --git a/fastlane/metadata/de-DE/release_notes.txt b/fastlane/metadata/de-DE/release_notes.txt index 19142a9328e..0e319ae31eb 100644 --- a/fastlane/metadata/de-DE/release_notes.txt +++ b/fastlane/metadata/de-DE/release_notes.txt @@ -1 +1 @@ -Dieses Update sorgt für eine reibungslosere Shop-Verwaltung und bessere Kontrolle. Du kannst Bestellungen jetzt nach Quelle filtern und alle POS-Bestellungen direkt in der POS-Benutzeroberfläche verwalten. Außerdem haben wir ein Problem beim Scrollen auf dem Bildschirm „Gutschein erstellen“ behoben, um ein reibungsloseres Erlebnis zu bieten. +Dieses Update verbessert die Stabilität und Benutzerfreundlichkeit der App. Wir haben die Kompatibilität für Shops mit HTTP-Website-Adressen verbessert, das Laden von Tabs basierend auf gespeicherten Staaten optimiert und ein Problem behoben, durch das die Tastatur beim Bearbeiten von Produkttiteln nicht ausgeblendet werden konnte. diff --git a/fastlane/metadata/default/release_notes.txt b/fastlane/metadata/default/release_notes.txt index 4a74cc0b757..fd8754ac190 100644 --- a/fastlane/metadata/default/release_notes.txt +++ b/fastlane/metadata/default/release_notes.txt @@ -1 +1 @@ -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 +This update improves app stability and usability. We’ve enhanced compatibility for stores using HTTP site addresses, optimized how tabs load based on saved states, and fixed an issue that prevented dismissing the keyboard when editing product titles. \ 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 0b1f959599f..54342fafcd9 100644 --- a/fastlane/metadata/es-ES/release_notes.txt +++ b/fastlane/metadata/es-ES/release_notes.txt @@ -1 +1 @@ -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. +Esta actualización mejora la estabilidad y usabilidad de la aplicación. Hemos mejorado la compatibilidad para tiendas que usan direcciones de sitios HTTP, hemos optimizado la carga de las pestañas en función de los estados guardados y hemos corregido un problema que impedía descartar el teclado al editar los títulos de los productos. diff --git a/fastlane/metadata/fr-FR/release_notes.txt b/fastlane/metadata/fr-FR/release_notes.txt index d3c29a0ff0a..218b27d65ea 100644 --- a/fastlane/metadata/fr-FR/release_notes.txt +++ b/fastlane/metadata/fr-FR/release_notes.txt @@ -1 +1 @@ -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. +Cette mise à jour améliore la stabilité et la convivialité de l’application. Nous avons amélioré la compatibilité pour les boutiques utilisant des adresses de site HTTP, optimisé le chargement des onglets en fonction des états enregistrés et résolu un problème qui empêchait le masquage du clavier lors de la modification des titres de produits. diff --git a/fastlane/metadata/he/release_notes.txt b/fastlane/metadata/he/release_notes.txt index def9d385713..586abfbaa45 100644 --- a/fastlane/metadata/he/release_notes.txt +++ b/fastlane/metadata/he/release_notes.txt @@ -1 +1 @@ -בעדכון הזה הוספנו ניהול חלק יותר של החנות ושליטה טובה יותר. עכשיו אפשר לסנן הזמנות לפי מקור ולנהל את כל ההזמנות של POS ישירות בתוך ממשק POS. בנוסף, תיקנו בעיית גלילה במסך 'ליצור קופון' כדי להבטיח חוויית שימוש חלקה יותר. +העדכון הזה משפר את היציבות והשימושיות של האפליקציה. שיפרנו את התאימות לחנויות באמצעות כתובות אתרים של HTTP, שיפרנו את הטעינה של לשוניות לפי מצבים שמורים ותיקנו בעיה שמנעה את ביטול המקלדת כאשר עורכים כותרות מוצרים. diff --git a/fastlane/metadata/id/release_notes.txt b/fastlane/metadata/id/release_notes.txt index d80d071ae22..469c8fa7b07 100644 --- a/fastlane/metadata/id/release_notes.txt +++ b/fastlane/metadata/id/release_notes.txt @@ -1 +1 @@ -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. +Pembaruan ini meningkatkan kestabilan dan kebergunaan aplikasi. Kami telah menyempurnakan kompatibilitas untuk toko yang menggunakan alamat situs HTTP, mengoptimalkan pemuatan tab berdasarkan status tersimpan, dan memperbaiki masalah yang mencegah ditutupnya keyboard saat mengedit judul produk. diff --git a/fastlane/metadata/it/release_notes.txt b/fastlane/metadata/it/release_notes.txt index f92ccb5c08d..60306d4d5db 100644 --- a/fastlane/metadata/it/release_notes.txt +++ b/fastlane/metadata/it/release_notes.txt @@ -1 +1 @@ -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. +Questo aggiornamento migliora la stabilità e l'usabilità dell'app. Abbiamo migliorato la compatibilità per i negozi che usano gli indirizzi dei siti HTTP, ottimizzato il caricamento delle schede in base agli stati salvati e risolto un problema che impediva di ignorare la tastiera durante la modifica dei titoli dei prodotti. diff --git a/fastlane/metadata/ja/release_notes.txt b/fastlane/metadata/ja/release_notes.txt index ed834962d63..a77fb84ffef 100644 --- a/fastlane/metadata/ja/release_notes.txt +++ b/fastlane/metadata/ja/release_notes.txt @@ -1 +1 @@ -今回の更新により、ストア管理がよりスムーズになり、制御性が向上します。 ソースで注文をフィルターしたり、すべての POS 注文を POS インターフェースで直接管理したりできるようになりました。 さらに、よりシームレスな操作性を実現するために、「クーポンを作成」画面のスクロールに関する問題を修正しました。 +今回の更新により、アプリの安定性と使いやすさが向上します。 HTTP サイトアドレスを使用するストアの互換性を強化したほか、保存された状態に基づいてタブを読み込む方法を最適化しました。また商品タイトルの編集時にキーボードを非表示にできなかった問題を修正しました。 diff --git a/fastlane/metadata/ko/release_notes.txt b/fastlane/metadata/ko/release_notes.txt index 02f64ec4a9a..d1cde2efdf9 100644 --- a/fastlane/metadata/ko/release_notes.txt +++ b/fastlane/metadata/ko/release_notes.txt @@ -1 +1 @@ -이번 업데이트로 더욱 간결한 스토어 관리와 향상된 제어가 가능합니다. 이제 출처별로 주문을 필터링하고, 모든 POS 주문을 POS 인터페이스 내에서 직접 관리할 수 있습니다. 추가로 더욱 원활한 경험을 위해 쿠폰 생성 화면의 스크롤 문제를 해결했습니다. +이 업데이트를 통해 앱 안정성과 유용성이 개선됩니다. HTTP 사이트 주소를 사용하는 스토어의 호환성을 강화하고, 저장된 상태에 따라 탭이 로드되는 방식을 최적화했으며, 상품 제목을 편집할 때 키보드를 닫을 수 없는 문제를 해결했습니다. diff --git a/fastlane/metadata/nl-NL/release_notes.txt b/fastlane/metadata/nl-NL/release_notes.txt index 22da0a1232c..217310f718b 100644 --- a/fastlane/metadata/nl-NL/release_notes.txt +++ b/fastlane/metadata/nl-NL/release_notes.txt @@ -1 +1 @@ -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. +Deze update verbetert de stabiliteit en bruikbaarheid van de app. We hebben de compatibiliteit verbeterd voor winkels die HTTP-siteadressen gebruiken, geoptimaliseerd hoe tabbladen laden op basis van opgeslagen statussen en een probleem opgelost waardoor het toetsenbord niet kon worden verborgen bij het bewerken van producttitels. diff --git a/fastlane/metadata/pt-BR/release_notes.txt b/fastlane/metadata/pt-BR/release_notes.txt index 37601dd2d6e..64a20c44a86 100644 --- a/fastlane/metadata/pt-BR/release_notes.txt +++ b/fastlane/metadata/pt-BR/release_notes.txt @@ -1 +1 @@ -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. +Esta atualização melhora a estabilidade e usabilidade do aplicativo. Aprimoramos a compatibilidade para lojas que usam endereços de sites HTTP, otimizamos o carregamento das guias com base em estados salvos e corrigimos um problema que impedia o fechamento do teclado ao editar títulos de produtos. diff --git a/fastlane/metadata/ru/release_notes.txt b/fastlane/metadata/ru/release_notes.txt index 1d155fd15fa..7a4650bf813 100644 --- a/fastlane/metadata/ru/release_notes.txt +++ b/fastlane/metadata/ru/release_notes.txt @@ -1 +1 @@ -Это обновление позволяет точнее и стабильнее управлять магазином. Заказы теперь можно фильтровать по источникам, а все заказы в POS управляются непосредственно при помощи интерфейса POS. А ещё мы исправили ошибку на экране создания купона, чтобы магазин работал ещё надёжнее. +Это обновление повышает стабильность работы и удобство пользования приложениями. Мы повысили совместимость с магазинами, которые пользуются адресами HTTP, оптимизировали загрузку вкладок на основе сохранённых состояний и исправили ошибку, из-за которой не удавалось скрыть клавиатуру при редактировании названий товаров. diff --git a/fastlane/metadata/sv/release_notes.txt b/fastlane/metadata/sv/release_notes.txt index 1440e437436..2bc549e90f3 100644 --- a/fastlane/metadata/sv/release_notes.txt +++ b/fastlane/metadata/sv/release_notes.txt @@ -1 +1 @@ -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. +Denna uppdatering förbättrar appens stabilitet och användbarhet. Vi har förbättrat kompatibiliteten för butiker som använder HTTP-webbplatsadresser, optimerat hur flikar laddas baserat på sparade tillstånd och åtgärdat ett problem som förhindrade att tangentbordet avfärdades vid redigering av produktrubriker. diff --git a/fastlane/metadata/tr/release_notes.txt b/fastlane/metadata/tr/release_notes.txt index 649854f9851..3896e12c23b 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 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şturma ekranında kaydırma sorununu düzelttik. +Bu güncelleme uygulama istikrarını ve kullanılabilirliğini artırır. HTTP site adreslerini kullanan mağazalar için uyumluluğu artırdık, sekmelerin kaydedilmiş durumlara göre nasıl yükleneceğini optimize ettik ve ürün başlıklarını düzenlerken klavyenin kapatılmasını engelleyen bir sorunu düzelttik. diff --git a/fastlane/metadata/zh-Hans/release_notes.txt b/fastlane/metadata/zh-Hans/release_notes.txt index 6c54816587d..21eff81b0c5 100644 --- a/fastlane/metadata/zh-Hans/release_notes.txt +++ b/fastlane/metadata/zh-Hans/release_notes.txt @@ -1 +1 @@ -本次更新带来了更流畅的商店管理体验和更完善的控制功能。 您现在可以按来源筛选订单,并在 POS 界面中直接管理所有 POS 订单。 此外,我们还修复了“创建优惠券”屏幕上的滚动问题,为您提供更流畅的使用体验。 +本次更新提升了应用程序的稳定性和易用性。 我们增强了使用 HTTP 站点地址的商店的兼容性,优化了选项卡基于已保存状态的加载方式,并修复了导致编辑产品标题时无法关闭键盘的问题。 diff --git a/fastlane/metadata/zh-Hant/release_notes.txt b/fastlane/metadata/zh-Hant/release_notes.txt index 78f877b02fd..f14d8613dad 100644 --- a/fastlane/metadata/zh-Hant/release_notes.txt +++ b/fastlane/metadata/zh-Hant/release_notes.txt @@ -1 +1 @@ -這項更新可帶來更流暢的商店管理與更完善的控制機制。 現在你可依照來源篩選訂單,並直接透過 POS 介面管理所有 POS 訂單。 此外,我們也修正了「建立折價券」畫面的捲動問題,提供更流暢的使用體驗。 +本次更新提升了應用程式穩定度和可用度。 我們針對使用 HTTP 網站位址的商店強化相容性、根據儲存狀態將分頁載入方式最佳化,並且修正了導致編輯商品標題時無法關閉鍵盤的問題。 From b1af68f9a3b5922d9a6ea8880d86109b5b67ad2d Mon Sep 17 00:00:00 2001 From: Automattic Release Bot Date: Tue, 4 Nov 2025 20:12:55 -0800 Subject: [PATCH 6/6] Bump version number --- config/Version.Public.xcconfig | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/config/Version.Public.xcconfig b/config/Version.Public.xcconfig index fea350380cf..8818efaa91d 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.6.0.0 +VERSION_LONG = 23.6.0.1 VERSION_SHORT = 23.6